text stringlengths 1 2.83M | id stringlengths 16 152 | metadata dict | __index_level_0__ int64 0 949 |
|---|---|---|---|
First, you have to create tile categories.
* Go to "Dashboards > Configuration > Overview Settings > Dashboard Categories"
* Create categories
Odoo menu and action are automatically created in the "Dashboard > Overview" menu
You should refresh your browser to see new menu items.
.. image:: ../static/description/tile_category_form.png
Then you can create tiles.
* Go to "Dashboards > Configuration > Overview Settings > Dashboard Items"
* create a new tile, set a name, a category and a model.
* You can optionally define colors, domain and a specific action to use.
* Setting a user, or a group in "Security" tab will restrict the display of the tile.
.. image:: ../static/description/tile_tile_form.png
You can optionally define a secondary value, for that purpose :
* Select a field, a function to apply.
* You can define a specific format. (``.format()`` python syntax)
.. image:: ../static/description/tile_tile_form_secondary_value.png
| OCA/web/web_dashboard_tile/readme/CONFIGURE.rst/0 | {
"file_path": "OCA/web/web_dashboard_tile/readme/CONFIGURE.rst",
"repo_id": "OCA",
"token_count": 252
} | 61 |
# © 2016 Antonio Espinosa - <antonio.espinosa@tecnativa.com>
# License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html).
from odoo.tests.common import TransactionCase
class TestTile(TransactionCase):
def test_tile(self):
TileTile = self.env["tile.tile"]
model_id = self.env["ir.model"].search([("model", "=", "tile.tile")])
category_id = self.env.ref("web_dashboard_tile.category_module").id
field_id = self.env["ir.model.fields"].search(
[("model_id", "=", model_id.id), ("name", "=", "sequence")]
)
self.tile1 = TileTile.create(
{
"name": "Count / Sum",
"sequence": 1,
"category_id": category_id,
"model_id": model_id.id,
"domain": "[('model_id', '=', %d)]" % model_id.id,
"secondary_function": "sum",
"secondary_field_id": field_id.id,
}
)
self.tile2 = TileTile.create(
{
"name": "Min / Max",
"sequence": 2,
"category_id": category_id,
"model_id": model_id.id,
"domain": "[('model_id', '=', %d)]" % model_id.id,
"primary_function": "min",
"primary_field_id": field_id.id,
"secondary_function": "max",
"secondary_field_id": field_id.id,
}
)
self.tile3 = TileTile.create(
{
"name": "Avg / Median",
"sequence": 3,
"category_id": category_id,
"model_id": model_id.id,
"domain": "[('model_id', '=', %d)]" % model_id.id,
"primary_function": "avg",
"primary_field_id": field_id.id,
"secondary_function": "median",
"secondary_field_id": field_id.id,
}
)
# count
self.assertEqual(self.tile1.primary_value, 3.0)
# sum
self.assertEqual(self.tile1.secondary_value, 6.0)
# min
self.assertEqual(self.tile2.primary_value, 1.0)
# max
self.assertEqual(self.tile2.secondary_value, 3.0)
# average
self.assertEqual(self.tile3.primary_value, 2.0)
# median
self.assertEqual(self.tile3.secondary_value, 2.0)
| OCA/web/web_dashboard_tile/tests/test_tile.py/0 | {
"file_path": "OCA/web/web_dashboard_tile/tests/test_tile.py",
"repo_id": "OCA",
"token_count": 1295
} | 62 |
By default, the module respects the caller's ``dialog_size`` option.
If you want to set dialog boxes maximized by default, you need to:
#. Go to *Settings -> Technical -> Parameters -> System Parameters*
#. Add a new record with the text *web_dialog_size.default_maximize* in
the *Key* field and the text *True* in the *Value* field
| OCA/web/web_dialog_size/readme/CONFIGURE.rst/0 | {
"file_path": "OCA/web/web_dialog_size/readme/CONFIGURE.rst",
"repo_id": "OCA",
"token_count": 96
} | 63 |
from . import models
| OCA/web/web_disable_export_group/__init__.py/0 | {
"file_path": "OCA/web/web_disable_export_group/__init__.py",
"repo_id": "OCA",
"token_count": 5
} | 64 |
When you define a view you can specify on the relational fields a domain
attribute. This attribute is evaluated as filter to apply when displaying
existing records for selection.
.. code-block:: xml
<field name="product_id" domain="[('type','=','product')]"/>
The value provided for the domain attribute must be a string representing a
valid Odoo domain. This string is evaluated on the client side in a
restricted context where we can reference as right operand the values of
fields present into the form and a limited set of functions.
In this context it's hard to build complex domain and we are facing to some
limitations as:
* The syntax to include in your domain a criteria involving values from a
x2many field is complex.
* The right side of domain in case of x2many can involve huge amount of ids
(performance problem).
* Domains computed by an onchange on an other field are not recomputed when
you modify the form and don't modify the field triggering the onchange.
* It's not possible to extend an existing domain. You must completely redefine
the domain in your specialized addon
* etc...
In order to mitigate these limitations this new addon allows you to use the
value of a field as domain of an other field in the xml definition of your
view.
.. code-block:: xml
<field name="product_id_domain" invisible="1"/>
<field name="product_id" domain="product_id_domain"/>
The field used as domain must provide the domain as a JSON encoded string.
.. code-block:: python
product_id_domain = fields.Char(
compute="_compute_product_id_domain",
readonly=True,
store=False,
)
@api.depends('name')
def _compute_product_id_domain(self):
for rec in self:
rec.product_id_domain = json.dumps(
[('type', '=', 'product'), ('name', 'like', rec.name)]
)
.. note::
You do not actually need this module to craft a dynamic domain. Odoo comes
with its own `py.js <https://github.com/odoo/odoo/tree/16.0/addons/web/static/lib/py.js>`_
web library to parse expressions such as domains. `py.js` supports more
complex expressions than just static lists.
Here is an example of a conditional domain based on the value of another
field:
.. code-block:: python
(order_id or partner_id) and [('id', 'in', allowed_picking_ids)]
or [('state', '=', 'done'), ('picking_type_id.code', '=', 'outgoing')]
For OCA modules, this method is preferred over adding this module as an
additional dependency.
| OCA/web/web_domain_field/readme/USAGE.rst/0 | {
"file_path": "OCA/web/web_domain_field/readme/USAGE.rst",
"repo_id": "OCA",
"token_count": 753
} | 65 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_environment_ribbon
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 16.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2023-11-27 11:34+0000\n"
"Last-Translator: mymage <stefano.consolaro@mymage.it>\n"
"Language-Team: none\n"
"Language: it\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 4.17\n"
#. module: web_environment_ribbon
#: model:ir.model,name:web_environment_ribbon.model_web_environment_ribbon_backend
msgid "Web Environment Ribbon Backend"
msgstr "Nastro ambiente web backend"
| OCA/web/web_environment_ribbon/i18n/it.po/0 | {
"file_path": "OCA/web/web_environment_ribbon/i18n/it.po",
"repo_id": "OCA",
"token_count": 287
} | 66 |
/* @odoo-module */
import {IntegerField} from "@web/views/fields/integer/integer_field";
import {patch} from "@web/core/utils/patch";
patch(IntegerField.prototype, "web_field_numeric_formatting.IntegerField", {
get formattedValue() {
if (!this.props.formatNumber) {
return this.props.value;
}
return this._super(...arguments);
},
});
Object.assign(IntegerField.props, {
formatNumber: {type: Boolean, optional: true},
});
Object.assign(IntegerField.defaultProps, {
formatNumber: true,
});
const superExtractProps = IntegerField.extractProps;
IntegerField.extractProps = ({attrs}) => {
return {
...superExtractProps({attrs}),
formatNumber:
attrs.options.enable_formatting === undefined
? true
: Boolean(attrs.options.enable_formatting),
};
};
| OCA/web/web_field_numeric_formatting/static/src/components/integer_field.esm.js/0 | {
"file_path": "OCA/web/web_field_numeric_formatting/static/src/components/integer_field.esm.js",
"repo_id": "OCA",
"token_count": 350
} | 67 |
* Petar Najman <petar.najman@modoolar.com>
* Mladen Meseldzija <mladen.meseldzija@modoolar.com>
* `CorporateHub <https://corporatehub.eu/>`__
* Alexey Pelykh <alexey.pelykh@corphub.eu>
* Manuel Calero - Tecnativa
* Matias Peralta, Juan Rivero - Adhoc
| OCA/web/web_ir_actions_act_multi/readme/CONTRIBUTORS.rst/0 | {
"file_path": "OCA/web/web_ir_actions_act_multi/readme/CONTRIBUTORS.rst",
"repo_id": "OCA",
"token_count": 110
} | 68 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_ir_actions_act_window_message
#
# Translators:
# OCA Transbot <transbot@odoo-community.org>, 2017
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 10.0\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2017-06-02 09:52+0000\n"
"PO-Revision-Date: 2017-06-02 09:52+0000\n"
"Last-Translator: OCA Transbot <transbot@odoo-community.org>, 2017\n"
"Language-Team: Croatian (https://www.transifex.com/oca/teams/23907/hr/)\n"
"Language: hr\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n"
"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n"
#. module: web_ir_actions_act_window_message
#. openerp-web
#: code:addons/web_ir_actions_act_window_message/static/src/js/web_ir_actions_act_window_message.js:0
#, python-format
msgid "Close"
msgstr "Zatvori"
| OCA/web/web_ir_actions_act_window_message/i18n/hr.po/0 | {
"file_path": "OCA/web/web_ir_actions_act_window_message/i18n/hr.po",
"repo_id": "OCA",
"token_count": 410
} | 69 |
This addon allows a developer to return the following action types::
{'type': 'ir.actions.act_window.page.next'}
or::
{'type': 'ir.actions.act_window.page.prev'}
which trigger the form's controller to page into the requested direction on the client
side.
A use case could be the case of a validation flow. As a developer, you set up a tree
view with a domain on records to be validated. The user opens the first record in a form
view and validates the record. The validation method returns the 'next' action type so
that the browser window of the user is presented with the next record in the form view.
| OCA/web/web_ir_actions_act_window_page/readme/DESCRIPTION.rst/0 | {
"file_path": "OCA/web/web_ir_actions_act_window_page/readme/DESCRIPTION.rst",
"repo_id": "OCA",
"token_count": 158
} | 70 |
To use this module, you need to:
#. Go to some list view.
#. Click a record.
#. Hold shift and click another record.
#. You can repeat this operation as many times as you want.
| OCA/web/web_listview_range_select/readme/USAGE.rst/0 | {
"file_path": "OCA/web/web_listview_range_select/readme/USAGE.rst",
"repo_id": "OCA",
"token_count": 52
} | 71 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_m2x_options
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 14.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2021-05-17 20:47+0000\n"
"Last-Translator: Bosd <c5e2fd43-d292-4c90-9d1f-74ff3436329a@anonaddy.me>\n"
"Language-Team: none\n"
"Language: nl\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 4.3.2\n"
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/base.xml:0
#, python-format
msgid ", are you sure it does not exist yet?"
msgstr ""
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/base.xml:0
#, python-format
msgid "Create"
msgstr "Aanmaken"
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/relational_utils.esm.js:0
#, python-format
msgid "Create \"%s\""
msgstr ""
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/base.xml:0
#, python-format
msgid "Create and Edit"
msgstr ""
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/relational_utils.esm.js:0
#, python-format
msgid "Create and edit..."
msgstr ""
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/base.xml:0
#, python-format
msgid "Discard"
msgstr ""
#. module: web_m2x_options
#: model:ir.model,name:web_m2x_options.model_ir_http
msgid "HTTP Routing"
msgstr ""
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/form.esm.js:0
#, python-format
msgid "New: %s"
msgstr ""
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/relational_utils.esm.js:0
#, python-format
msgid "No records"
msgstr ""
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/form.esm.js:0
#, python-format
msgid "Open: "
msgstr "Open: "
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/relational_utils.esm.js:0
#, python-format
msgid "Search More..."
msgstr "Zoek meer..."
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/relational_utils.esm.js:0
#, python-format
msgid "Start typing..."
msgstr ""
#. module: web_m2x_options
#: model:ir.model,name:web_m2x_options.model_ir_config_parameter
msgid "System Parameter"
msgstr "Systeem Parameter"
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/base.xml:0
#, python-format
msgid "You are creating a new"
msgstr ""
#. module: web_m2x_options
#. odoo-javascript
#: code:addons/web_m2x_options/static/src/components/base.xml:0
#, python-format
msgid "as a new"
msgstr ""
#, python-format
#~ msgid "Cancel"
#~ msgstr "Annuleren"
#, fuzzy, python-format
#~ msgid "Create \"<strong>%s</strong>\""
#~ msgstr "Creér<strong>%s</strong>\""
#, python-format
#~ msgid "Create a %s"
#~ msgstr "Maak een %s"
#, python-format
#~ msgid "Create and Edit..."
#~ msgstr "Aanmaken en bewerken..."
#, python-format
#~ msgid "Create and edit"
#~ msgstr "Aanmaken en bewerken"
#, python-format
#~ msgid "No results to show..."
#~ msgstr "Geen resultaten om weer te geven..."
#, python-format
#~ msgid "Quick search: %s"
#~ msgstr "Snel zoeken: %s"
#, python-format
#~ msgid "You are creating a new %s, are you sure it does not exist yet?"
#~ msgstr "U maakt een nieuw %s, weet u het zeker dat dit nog niet bestaat?"
#~ msgid "!(widget.nodeOptions.no_open || widget.nodeOptions.no_open_edit)"
#~ msgstr "!(widget.nodeOptions.no_open || widget.nodeOptions.no_open_edit)"
#~ msgid "Display Name"
#~ msgstr "Weergavenaam"
#~ msgid "ID"
#~ msgstr "ID"
#~ msgid "Last Modified on"
#~ msgstr "Laatst Gewijzigd op"
| OCA/web/web_m2x_options/i18n/nl.po/0 | {
"file_path": "OCA/web/web_m2x_options/i18n/nl.po",
"repo_id": "OCA",
"token_count": 1667
} | 72 |
<?xml version="1.0" encoding="utf-8" ?>
<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml" xml:lang="en" lang="en">
<head>
<meta http-equiv="Content-Type" content="text/html; charset=utf-8" />
<meta name="generator" content="Docutils 0.12: http://docutils.sourceforge.net/" />
<title>Add new options for many2one field</title>
<style type="text/css">
/*
:Author: David Goodger (goodger@python.org)
:Id: $Id: html4css1.css 7614 2013-02-21 15:55:51Z milde $
:Copyright: This stylesheet has been placed in the public domain.
Default cascading style sheet for the HTML output of Docutils.
See http://docutils.sf.net/docs/howto/html-stylesheets.html for how to
customize this style sheet.
*/
/* used to remove borders from tables and images */
.borderless, table.borderless td, table.borderless th {
border: 0 }
table.borderless td, table.borderless th {
/* Override padding for "table.docutils td" with "! important".
The right padding separates the table cells. */
padding: 0 0.5em 0 0 ! important }
.first {
/* Override more specific margin styles with "! important". */
margin-top: 0 ! important }
.last, .with-subtitle {
margin-bottom: 0 ! important }
.hidden {
display: none }
a.toc-backref {
text-decoration: none ;
color: black }
blockquote.epigraph {
margin: 2em 5em ; }
dl.docutils dd {
margin-bottom: 0.5em }
object[type="image/svg+xml"], object[type="application/x-shockwave-flash"] {
overflow: hidden;
}
/* Uncomment (and remove this text!) to get bold-faced definition list terms
dl.docutils dt {
font-weight: bold }
*/
div.abstract {
margin: 2em 5em }
div.abstract p.topic-title {
font-weight: bold ;
text-align: center }
div.admonition, div.attention, div.caution, div.danger, div.error,
div.hint, div.important, div.note, div.tip, div.warning {
margin: 2em ;
border: medium outset ;
padding: 1em }
div.admonition p.admonition-title, div.hint p.admonition-title,
div.important p.admonition-title, div.note p.admonition-title,
div.tip p.admonition-title {
font-weight: bold ;
font-family: sans-serif }
div.attention p.admonition-title, div.caution p.admonition-title,
div.danger p.admonition-title, div.error p.admonition-title,
div.warning p.admonition-title, .code .error {
color: red ;
font-weight: bold ;
font-family: sans-serif }
/* Uncomment (and remove this text!) to get reduced vertical space in
compound paragraphs.
div.compound .compound-first, div.compound .compound-middle {
margin-bottom: 0.5em }
div.compound .compound-last, div.compound .compound-middle {
margin-top: 0.5em }
*/
div.dedication {
margin: 2em 5em ;
text-align: center ;
font-style: italic }
div.dedication p.topic-title {
font-weight: bold ;
font-style: normal }
div.figure {
margin-left: 2em ;
margin-right: 2em }
div.footer, div.header {
clear: both;
font-size: smaller }
div.line-block {
display: block ;
margin-top: 1em ;
margin-bottom: 1em }
div.line-block div.line-block {
margin-top: 0 ;
margin-bottom: 0 ;
margin-left: 1.5em }
div.sidebar {
margin: 0 0 0.5em 1em ;
border: medium outset ;
padding: 1em ;
background-color: #ffffee ;
width: 40% ;
float: right ;
clear: right }
div.sidebar p.rubric {
font-family: sans-serif ;
font-size: medium }
div.system-messages {
margin: 5em }
div.system-messages h1 {
color: red }
div.system-message {
border: medium outset ;
padding: 1em }
div.system-message p.system-message-title {
color: red ;
font-weight: bold }
div.topic {
margin: 2em }
h1.section-subtitle, h2.section-subtitle, h3.section-subtitle,
h4.section-subtitle, h5.section-subtitle, h6.section-subtitle {
margin-top: 0.4em }
h1.title {
text-align: center }
h2.subtitle {
text-align: center }
hr.docutils {
width: 75% }
img.align-left, .figure.align-left, object.align-left {
clear: left ;
float: left ;
margin-right: 1em }
img.align-right, .figure.align-right, object.align-right {
clear: right ;
float: right ;
margin-left: 1em }
img.align-center, .figure.align-center, object.align-center {
display: block;
margin-left: auto;
margin-right: auto;
}
.align-left {
text-align: left }
.align-center {
clear: both ;
text-align: center }
.align-right {
text-align: right }
/* reset inner alignment in figures */
div.align-right {
text-align: inherit }
/* div.align-center * { */
/* text-align: left } */
ol.simple, ul.simple {
margin-bottom: 1em }
ol.arabic {
list-style: decimal }
ol.loweralpha {
list-style: lower-alpha }
ol.upperalpha {
list-style: upper-alpha }
ol.lowerroman {
list-style: lower-roman }
ol.upperroman {
list-style: upper-roman }
p.attribution {
text-align: right ;
margin-left: 50% }
p.caption {
font-style: italic }
p.credits {
font-style: italic ;
font-size: smaller }
p.label {
white-space: nowrap }
p.rubric {
font-weight: bold ;
font-size: larger ;
color: maroon ;
text-align: center }
p.sidebar-title {
font-family: sans-serif ;
font-weight: bold ;
font-size: larger }
p.sidebar-subtitle {
font-family: sans-serif ;
font-weight: bold }
p.topic-title {
font-weight: bold }
pre.address {
margin-bottom: 0 ;
margin-top: 0 ;
font: inherit }
pre.literal-block, pre.doctest-block, pre.math, pre.code {
margin-left: 2em ;
margin-right: 2em }
pre.code .ln { color: grey; } /* line numbers */
pre.code, code { background-color: #eeeeee }
pre.code .comment, code .comment { color: #5C6576 }
pre.code .keyword, code .keyword { color: #3B0D06; font-weight: bold }
pre.code .literal.string, code .literal.string { color: #0C5404 }
pre.code .name.builtin, code .name.builtin { color: #352B84 }
pre.code .deleted, code .deleted { background-color: #DEB0A1}
pre.code .inserted, code .inserted { background-color: #A3D289}
span.classifier {
font-family: sans-serif ;
font-style: oblique }
span.classifier-delimiter {
font-family: sans-serif ;
font-weight: bold }
span.interpreted {
font-family: sans-serif }
span.option {
white-space: nowrap }
span.pre {
white-space: pre }
span.problematic {
color: red }
span.section-subtitle {
/* font-size relative to parent (h1..h6 element) */
font-size: 80% }
table.citation {
border-left: solid 1px gray;
margin-left: 1px }
table.docinfo {
margin: 2em 4em }
table.docutils {
margin-top: 0.5em ;
margin-bottom: 0.5em }
table.footnote {
border-left: solid 1px black;
margin-left: 1px }
table.docutils td, table.docutils th,
table.docinfo td, table.docinfo th {
padding-left: 0.5em ;
padding-right: 0.5em ;
vertical-align: top }
table.docutils th.field-name, table.docinfo th.docinfo-name {
font-weight: bold ;
text-align: left ;
white-space: nowrap ;
padding-left: 0 }
/* "booktabs" style (no vertical lines) */
table.docutils.booktabs {
border: 0px;
border-top: 2px solid;
border-bottom: 2px solid;
border-collapse: collapse;
}
table.docutils.booktabs * {
border: 0px;
}
table.docutils.booktabs th {
border-bottom: thin solid;
text-align: left;
}
h1 tt.docutils, h2 tt.docutils, h3 tt.docutils,
h4 tt.docutils, h5 tt.docutils, h6 tt.docutils {
font-size: 100% }
ul.auto-toc {
list-style-type: none }
</style>
</head>
<body>
<div class="document" id="add-new-options-for-many2one-field">
<h1 class="title">Add new options for many2one field</h1>
<div class="section" id="description">
<h1>Description</h1>
<p>This modules modifies "many2one" and "many2manytags" form widgets so as to add some new display
control options.</p>
<p><strong>New: support many2manytags widget !</strong></p>
<p><strong>New: support global option management with ir.config_parameter !</strong></p>
<p>Options provided includes possibility to remove "Create..." and/or "Create and
Edit..." entries from many2one drop down. You can also change default number of
proposition appearing in the drop-down. Or prevent the dialog box poping in
case of validation error.</p>
<p>If not specified, the module will avoid proposing any of the create options
if the current user have no permission rights to create the related object.</p>
</div>
<div class="section" id="requirements">
<h1>Requirements</h1>
<p>Was tested on openerp 8.0, trunk, saas-5 branch. New way to import js file. (thanks to tfossoul)</p>
</div>
<div class="section" id="new-options">
<h1>New options</h1>
<p><tt class="docutils literal">create</tt> <em>boolean</em> (Default: depends if user have create rights)</p>
<blockquote>
Whether to display the "Create..." entry in dropdown panel.</blockquote>
<p><tt class="docutils literal">create_edit</tt> <em>boolean</em> (Default: depends if user have create rights)</p>
<blockquote>
Whether to display "Create and Edit..." entry in dropdown panel</blockquote>
<p><tt class="docutils literal">m2o_dialog</tt> <em>boolean</em> (Default: depends if user have create rights)</p>
<blockquote>
Whether to display the many2one dialog in case of validation error.</blockquote>
<p><tt class="docutils literal">limit</tt> <em>int</em> (Default: openerp default value is <tt class="docutils literal">7</tt>)</p>
<blockquote>
Number of displayed record in drop-down panel</blockquote>
</div>
<div class="section" id="ir-config-parameter-options">
<h1>ir.config_parameter options</h1>
<p>Now you can disable "Create..." and "Create and Edit..." entry for all widgets in the odoo instance.
If you disable one option, you can enable it for particular field by setting "create: True" option directly on the field definition.</p>
<p><tt class="docutils literal">web_m2x_options.create</tt> <em>boolean</em> (Default: depends if user have create rights)</p>
<blockquote>
Whether to display the "Create..." entry in dropdown panel for all fields in the odoo instance.</blockquote>
<p><tt class="docutils literal">web_m2x_options.create_edit</tt> <em>boolean</em> (Default: depends if user have create rights)</p>
<blockquote>
Whether to display "Create and Edit..." entry in dropdown panel for all fields in the odoo instance.</blockquote>
<p><tt class="docutils literal">web_m2x_options.limit</tt> <em>int</em> (Default: openerp default value is <tt class="docutils literal">7</tt>)</p>
<blockquote>
Number of displayed record in drop-down panel for all fields in the odoo instance</blockquote>
<p>To add these parameters go to Configuration -> Technical -> Parameters -> System Parameters and add new parameters like:</p>
<ul class="simple">
<li>web_m2x_options.create: False</li>
<li>web_m2x_options.create_edit: False</li>
<li>web_m2x_options.limit: 10</li>
</ul>
</div>
<div class="section" id="example">
<h1>Example</h1>
<p>Your XML form view definition could contain:</p>
<pre class="literal-block">
...
<field name="partner_id" options="{'limit': 10, 'create': false, 'create_edit': false}"/>
...
</pre>
</div>
<div class="section" id="note">
<h1>Note</h1>
<p>Double check that you have no inherited view that remote <tt class="docutils literal">options</tt> you set on a field !
If nothing work, add a debugger in the first ligne of <tt class="docutils literal">get_search_result method</tt> and enable debug mode in OpenERP. When you write something in a many2one field, javascript debugger should pause. If not verify your installation.</p>
</div>
</div>
</body>
</html>
| OCA/web/web_m2x_options/static/description/index.html/0 | {
"file_path": "OCA/web/web_m2x_options/static/description/index.html",
"repo_id": "OCA",
"token_count": 4112
} | 73 |
This module removes from the web interface the bubbles introduced in the version 10.0.
The help boxes are not removed though.
| OCA/web/web_no_bubble/readme/DESCRIPTION.rst/0 | {
"file_path": "OCA/web/web_no_bubble/readme/DESCRIPTION.rst",
"repo_id": "OCA",
"token_count": 27
} | 74 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_notify
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 12.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2019-09-01 12:52+0000\n"
"Last-Translator: 黎伟杰 <674416404@qq.com>\n"
"Language-Team: none\n"
"Language: zh_CN\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=1; plural=0;\n"
"X-Generator: Weblate 3.8\n"
#. module: web_notify
#. odoo-python
#: code:addons/web_notify/models/res_users.py:0
#, python-format
msgid "Danger"
msgstr "危险"
#. module: web_notify
#. odoo-python
#: code:addons/web_notify/models/res_users.py:0
#, python-format
msgid "Default"
msgstr "默认"
#. module: web_notify
#. odoo-python
#: code:addons/web_notify/models/res_users.py:0
#, python-format
msgid "Information"
msgstr "信息"
#. module: web_notify
#: model:ir.model.fields,field_description:web_notify.field_res_users__notify_danger_channel_name
msgid "Notify Danger Channel Name"
msgstr "通知危险频道名称"
#. module: web_notify
#: model:ir.model.fields,field_description:web_notify.field_res_users__notify_default_channel_name
msgid "Notify Default Channel Name"
msgstr "通知默认频道名称"
#. module: web_notify
#: model:ir.model.fields,field_description:web_notify.field_res_users__notify_info_channel_name
msgid "Notify Info Channel Name"
msgstr "通知信息频道名称"
#. module: web_notify
#: model:ir.model.fields,field_description:web_notify.field_res_users__notify_success_channel_name
msgid "Notify Success Channel Name"
msgstr "通知成功频道名称"
#. module: web_notify
#: model:ir.model.fields,field_description:web_notify.field_res_users__notify_warning_channel_name
msgid "Notify Warning Channel Name"
msgstr "通知警告频道名称"
#. module: web_notify
#. odoo-python
#: code:addons/web_notify/models/res_users.py:0
#, python-format
msgid "Sending a notification to another user is forbidden."
msgstr "禁止向其他用户发送通知。"
#. module: web_notify
#. odoo-python
#: code:addons/web_notify/models/res_users.py:0
#, python-format
msgid "Success"
msgstr "成功"
#. module: web_notify
#: model_terms:ir.ui.view,arch_db:web_notify.view_users_form_simple_modif_inherit
msgid "Test danger notification"
msgstr "测试危险通知"
#. module: web_notify
#: model_terms:ir.ui.view,arch_db:web_notify.view_users_form_simple_modif_inherit
msgid "Test default notification"
msgstr "测试默认通知"
#. module: web_notify
#: model_terms:ir.ui.view,arch_db:web_notify.view_users_form_simple_modif_inherit
msgid "Test info notification"
msgstr "测试信息通知"
#. module: web_notify
#: model_terms:ir.ui.view,arch_db:web_notify.view_users_form_simple_modif_inherit
msgid "Test success notification"
msgstr "测试成功通知"
#. module: web_notify
#: model_terms:ir.ui.view,arch_db:web_notify.view_users_form_simple_modif_inherit
msgid "Test warning notification"
msgstr "测试警告通知"
#. module: web_notify
#: model_terms:ir.ui.view,arch_db:web_notify.view_users_form_simple_modif_inherit
msgid "Test web notify"
msgstr "测试网站通知"
#. module: web_notify
#: model:ir.model,name:web_notify.model_res_users
msgid "User"
msgstr ""
#. module: web_notify
#. odoo-python
#: code:addons/web_notify/models/res_users.py:0
#, python-format
msgid "Warning"
msgstr "警告"
#~ msgid "Users"
#~ msgstr "用户"
| OCA/web/web_notify/i18n/zh_CN.po/0 | {
"file_path": "OCA/web/web_notify/i18n/zh_CN.po",
"repo_id": "OCA",
"token_count": 1506
} | 75 |
==========================
Web Notify Channel Message
==========================
..
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! This file is generated by oca-gen-addon-readme !!
!! changes will be overwritten. !!
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! source digest: sha256:0a1236ab02b6d6968aa3bed5cb2ba29998a8f49f5f71135976897313b05ea9e9
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
.. |badge1| image:: https://img.shields.io/badge/maturity-Alpha-red.png
:target: https://odoo-community.org/page/development-status
:alt: Alpha
.. |badge2| image:: https://img.shields.io/badge/licence-AGPL--3-blue.png
:target: http://www.gnu.org/licenses/agpl-3.0-standalone.html
:alt: License: AGPL-3
.. |badge3| image:: https://img.shields.io/badge/github-OCA%2Fweb-lightgray.png?logo=github
:target: https://github.com/OCA/web/tree/16.0/web_notify_channel_message
:alt: OCA/web
.. |badge4| image:: https://img.shields.io/badge/weblate-Translate%20me-F47D42.png
:target: https://translation.odoo-community.org/projects/web-16-0/web-16-0-web_notify_channel_message
:alt: Translate me on Weblate
.. |badge5| image:: https://img.shields.io/badge/runboat-Try%20me-875A7B.png
:target: https://runboat.odoo-community.org/builds?repo=OCA/web&target_branch=16.0
:alt: Try me on Runboat
|badge1| |badge2| |badge3| |badge4| |badge5|
This module will send an instant notifications to all users of a channel when a new message has been posted.
.. IMPORTANT::
This is an alpha version, the data model and design can change at any time without warning.
Only for development or testing purpose, do not use in production.
`More details on development status <https://odoo-community.org/page/development-status>`_
**Table of contents**
.. contents::
:local:
Bug Tracker
===========
Bugs are tracked on `GitHub Issues <https://github.com/OCA/web/issues>`_.
In case of trouble, please check there if your issue has already been reported.
If you spotted it first, help us to smash it by providing a detailed and welcomed
`feedback <https://github.com/OCA/web/issues/new?body=module:%20web_notify_channel_message%0Aversion:%2016.0%0A%0A**Steps%20to%20reproduce**%0A-%20...%0A%0A**Current%20behavior**%0A%0A**Expected%20behavior**>`_.
Do not contact contributors directly about support or help with technical issues.
Credits
=======
Authors
~~~~~~~
* ForgeFlow
Contributors
~~~~~~~~~~~~
* Joan Sisquella <joan.sisquella@forgeflow.com>
* Thiago Mulero <thiago.mulero@forgeflow.com>
* David Jimenez <david.jimenez@forgeflow.com>
* Jordi Ballester <jordi.ballester@forgefow.com>
Maintainers
~~~~~~~~~~~
This module is maintained by the OCA.
.. image:: https://odoo-community.org/logo.png
:alt: Odoo Community Association
:target: https://odoo-community.org
OCA, or the Odoo Community Association, is a nonprofit organization whose
mission is to support the collaborative development of Odoo features and
promote its widespread use.
This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_notify_channel_message>`_ project on GitHub.
You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
| OCA/web/web_notify_channel_message/README.rst/0 | {
"file_path": "OCA/web/web_notify_channel_message/README.rst",
"repo_id": "OCA",
"token_count": 1138
} | 76 |
/** @odoo-module **/
/* Copyright 2024 Tecnativa - Carlos Roca
* License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html) */
import {PivotController} from "@web/views/pivot/pivot_controller";
import {patch} from "@web/core/utils/patch";
import {DropdownItemCustomMeasure} from "../dropdown_item_custom_measure/dropdown_item_custom_measure.esm";
patch(PivotController.prototype, "web_pivot_computed_measure.PivotController", {
/**
* Add computed_measures to context key to avoid loosing info when saving the
* filter to favorites.
*
* @override
*/
getContext() {
var res = this._super(...arguments);
res.pivot_computed_measures = this.model._computed_measures;
return res;
},
});
PivotController.components = {
...PivotController.components,
DropdownItemCustomMeasure,
};
| OCA/web/web_pivot_computed_measure/static/src/pivot/pivot_controller.esm.js/0 | {
"file_path": "OCA/web/web_pivot_computed_measure/static/src/pivot/pivot_controller.esm.js",
"repo_id": "OCA",
"token_count": 310
} | 77 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_pwa_oca
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 13.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2021-11-20 20:36+0000\n"
"Last-Translator: Ignacio Buioli <ibuioli@gmail.com>\n"
"Language-Team: none\n"
"Language: es_AR\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 4.3.2\n"
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "<span class=\"fa fa-lg fa-globe\" title=\"Icon next to name\"/>"
msgstr ""
#. module: web_pwa_oca
#: model:ir.model.fields,field_description:web_pwa_oca.field_res_config_settings__pwa_background_color
msgid "Background Color"
msgstr "Color de Fondo"
#. module: web_pwa_oca
#: model:ir.model,name:web_pwa_oca.model_res_config_settings
msgid "Config Settings"
msgstr "Configurar Ajustes"
#. module: web_pwa_oca
#: model:ir.model.fields,field_description:web_pwa_oca.field_res_config_settings__pwa_icon
msgid "Icon"
msgstr "Ícono"
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "Name"
msgstr "Nombre"
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "Name and icon of your PWA"
msgstr "Nombre e ícono para su PWA"
#. module: web_pwa_oca
#: model:ir.model.fields,help:web_pwa_oca.field_res_config_settings__pwa_name
msgid "Name of the Progressive Web Application"
msgstr "Nombre de la Aplicación Web Progresiva"
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "PWA Title"
msgstr "Título del PWA"
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "Progressive Web App"
msgstr "Aplicación Web Progresiva"
#. module: web_pwa_oca
#: model:ir.model.fields,field_description:web_pwa_oca.field_res_config_settings__pwa_name
msgid "Progressive Web App Name"
msgstr "Nombre de la Aplicación Web Progresiva"
#. module: web_pwa_oca
#: model:ir.model.fields,field_description:web_pwa_oca.field_res_config_settings__pwa_short_name
msgid "Progressive Web App Short Name"
msgstr "Nombre Corto de la Aplicación Web Progresiva"
#. module: web_pwa_oca
#. odoo-javascript
#: code:addons/web_pwa_oca/static/src/js/pwa_manager.js:0
#, python-format
msgid ""
"Service workers are not supported! Maybe you are not using HTTPS or you work "
"in private mode."
msgstr ""
"¡Los trabajadores de servicios no son compatibles! Quizás no esté usando "
"HTTPS o trabaje en modo privado."
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "Short Name"
msgstr "Nombre Corto"
#. module: web_pwa_oca
#: model:ir.model.fields,help:web_pwa_oca.field_res_config_settings__pwa_short_name
msgid "Short Name of the Progressive Web Application"
msgstr "Nombre Corto de la Aplicación Web Progresiva"
#. module: web_pwa_oca
#: model:ir.model.fields,field_description:web_pwa_oca.field_res_config_settings__pwa_theme_color
msgid "Theme Color"
msgstr "Color del Tema"
#. module: web_pwa_oca
#. odoo-python
#: code:addons/web_pwa_oca/models/res_config_settings.py:0
#, python-format
msgid "You can only upload PNG files bigger than 512x512"
msgstr "Puede solo cargar archivos PNG mayores a 512x512"
#. module: web_pwa_oca
#. odoo-python
#: code:addons/web_pwa_oca/models/res_config_settings.py:0
#, python-format
msgid "You can only upload SVG or PNG files. Found: %s."
msgstr "Solo se pueden Subir archivos SVG o PNG. Se encontró: %s."
#. module: web_pwa_oca
#. odoo-python
#: code:addons/web_pwa_oca/models/res_config_settings.py:0
#, python-format
msgid "You can't upload a file with more than 2 MB."
msgstr "No puede cargar un archivo con un peso superior a 2 MB."
#. module: web_pwa_oca
#. odoo-javascript
#: code:addons/web_pwa_oca/static/src/js/pwa_manager.js:0
#, python-format
msgid "[ServiceWorker] Registered:"
msgstr "[ServiceWorker] Registrado:"
#. module: web_pwa_oca
#. odoo-javascript
#: code:addons/web_pwa_oca/static/src/js/pwa_manager.js:0
#, python-format
msgid "[ServiceWorker] Registration failed: "
msgstr "[ServiceWorker] Registro fallido: "
#~ msgid "You can only upload SVG or PNG files"
#~ msgstr "Puede solo cargar archivos SVG o PNG"
| OCA/web/web_pwa_oca/i18n/es_AR.po/0 | {
"file_path": "OCA/web/web_pwa_oca/i18n/es_AR.po",
"repo_id": "OCA",
"token_count": 1769
} | 78 |
{
"name": "Web Refresher",
"version": "16.0.2.0.1",
"author": "Compassion Switzerland, Tecnativa, Odoo Community Association (OCA)",
"license": "AGPL-3",
"website": "https://github.com/OCA/web",
"depends": ["web"],
"installable": True,
"auto_install": False,
"assets": {
"web.assets_backend": [
"web_refresher/static/src/scss/refresher.scss",
"web_refresher/static/src/js/refresher.esm.js",
"web_refresher/static/src/js/control_panel.esm.js",
"web_refresher/static/src/js/pager.esm.js",
"web_refresher/static/src/xml/refresher.xml",
"web_refresher/static/src/xml/control_panel.xml",
"web_refresher/static/src/xml/pager.xml",
],
},
}
| OCA/web/web_refresher/__manifest__.py/0 | {
"file_path": "OCA/web/web_refresher/__manifest__.py",
"repo_id": "OCA",
"token_count": 386
} | 79 |
.oe_cp_refresher {
margin: auto 0 auto auto;
padding-left: 5px;
text-align: right;
user-select: none;
flex-grow: 1;
}
.o_cp_bottom_right.oe_cp_refresher {
display: flex;
flex-direction: row-reverse;
}
| OCA/web/web_refresher/static/src/scss/refresher.scss/0 | {
"file_path": "OCA/web/web_refresher/static/src/scss/refresher.scss",
"repo_id": "OCA",
"token_count": 104
} | 80 |
==============
Web Responsive
==============
..
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! This file is generated by oca-gen-addon-readme !!
!! changes will be overwritten. !!
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! source digest: sha256:c810310c661f01d55a97de39d7d77c517ebb27698bff7056255cef803670e927
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
.. |badge1| image:: https://img.shields.io/badge/maturity-Production%2FStable-green.png
:target: https://odoo-community.org/page/development-status
:alt: Production/Stable
.. |badge2| image:: https://img.shields.io/badge/licence-LGPL--3-blue.png
:target: http://www.gnu.org/licenses/lgpl-3.0-standalone.html
:alt: License: LGPL-3
.. |badge3| image:: https://img.shields.io/badge/github-OCA%2Fweb-lightgray.png?logo=github
:target: https://github.com/OCA/web/tree/16.0/web_responsive
:alt: OCA/web
.. |badge4| image:: https://img.shields.io/badge/weblate-Translate%20me-F47D42.png
:target: https://translation.odoo-community.org/projects/web-16-0/web-16-0-web_responsive
:alt: Translate me on Weblate
.. |badge5| image:: https://img.shields.io/badge/runboat-Try%20me-875A7B.png
:target: https://runboat.odoo-community.org/builds?repo=OCA/web&target_branch=16.0
:alt: Try me on Runboat
|badge1| |badge2| |badge3| |badge4| |badge5|
This module adds responsiveness to web backend.
**Features for all devices**:
* New navigation with the fullscreen app menu
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/appmenu.gif
* Quick menu search inside the app menu
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/appsearch.gif
* Sticky header & footer in list view
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/listview.gif
* Sticky statusbar in form view
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/formview.gif
* Bigger checkboxes in list view
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/listview.gif
**Features for mobile**:
* View type picker dropdown displays comfortably
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/viewtype.gif
* Control panel buttons use icons to save space.
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/form_buttons.gif
* Search panel is collapsed to mobile version on small screens.
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/search_panel.gif
* Followers and send button is displayed on mobile. Avatar is hidden.
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/chatter.gif
* Big inputs on form in edit mode
**Features for desktop computers**:
* Keyboard shortcuts for easier navigation,
**using `Alt + Shift + [NUM]`** combination instead of
just `Alt + [NUM]` to avoid conflict with Firefox Tab switching.
Standard Odoo keyboard hotkeys changed to be more intuitive or
accessible by fingers of one hand.
F.x. `Alt + S` for `Save`
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/shortcuts.gif
* Autofocus on search menu box when opening the app menu
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/appsearch.gif
* Full width form sheets
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/formview.gif
* When the chatter is on the side part, the document viewer fills that
part for side-by-side reading instead of full screen. You can still put it on full
width preview clicking on the new maximize button.
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/document_viewer.gif
* When the user chooses to send a public message the color of the composer is different
from the one when the message is an internal log.
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_responsive/static/img/chatter-colors.gif
**Table of contents**
.. contents::
:local:
Usage
=====
The following keyboard shortcuts are implemented:
* Navigate app search results - Arrow keys
* Choose app result - ``Enter``
* ``Esc`` to close app drawer
Known issues / Roadmap
======================
* App navigation with keyboard.
* Handle long titles on forms in a better way
Bug Tracker
===========
Bugs are tracked on `GitHub Issues <https://github.com/OCA/web/issues>`_.
In case of trouble, please check there if your issue has already been reported.
If you spotted it first, help us to smash it by providing a detailed and welcomed
`feedback <https://github.com/OCA/web/issues/new?body=module:%20web_responsive%0Aversion:%2016.0%0A%0A**Steps%20to%20reproduce**%0A-%20...%0A%0A**Current%20behavior**%0A%0A**Expected%20behavior**>`_.
Do not contact contributors directly about support or help with technical issues.
Credits
=======
Authors
~~~~~~~
* LasLabs
* Tecnativa
* ITerra
* Onestein
Contributors
~~~~~~~~~~~~
* Dave Lasley <dave@laslabs.com>
* Jairo Llopis <jairo.llopis@tecnativa.com>
* `Onestein <https://www.onestein.nl>`_:
* Dennis Sluijk <d.sluijk@onestein.nl>
* Anjeel Haria
* Sergio Teruel <sergio.teruel@tecnativa.com>
* Alexandre Díaz <dev@redneboa.es>
* Mathias Markl <mathias.markl@mukit.at>
* Iván Todorovich <ivan.todorovich@gmail.com>
* Sergey Shebanin <sergey@shebanin.ru>
* David Vidal <david.vidal@tecnativa.com>
Maintainers
~~~~~~~~~~~
This module is maintained by the OCA.
.. image:: https://odoo-community.org/logo.png
:alt: Odoo Community Association
:target: https://odoo-community.org
OCA, or the Odoo Community Association, is a nonprofit organization whose
mission is to support the collaborative development of Odoo features and
promote its widespread use.
.. |maintainer-Tardo| image:: https://github.com/Tardo.png?size=40px
:target: https://github.com/Tardo
:alt: Tardo
.. |maintainer-SplashS| image:: https://github.com/SplashS.png?size=40px
:target: https://github.com/SplashS
:alt: SplashS
Current `maintainers <https://odoo-community.org/page/maintainer-role>`__:
|maintainer-Tardo| |maintainer-SplashS|
This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_responsive>`_ project on GitHub.
You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
| OCA/web/web_responsive/README.rst/0 | {
"file_path": "OCA/web/web_responsive/README.rst",
"repo_id": "OCA",
"token_count": 2223
} | 81 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_responsive
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 14.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2021-03-31 16:36+0000\n"
"Last-Translator: SplashS <sergey@shebanin.ru>\n"
"Language-Team: none\n"
"Language: ru\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=3; plural=n%10==1 && n%100!=11 ? 0 : n%10>=2 && n"
"%10<=4 && (n%100<10 || n%100>=20) ? 1 : 2;\n"
"X-Generator: Weblate 4.3.2\n"
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/chatter_topbar/chatter_topbar.xml:0
#, python-format
msgid "Activities"
msgstr ""
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/search_panel/search_panel.xml:0
#, python-format
msgid "All"
msgstr "Все"
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/chatter_topbar/chatter_topbar.xml:0
#, python-format
msgid "Attachment counter loading..."
msgstr ""
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/chatter_topbar/chatter_topbar.xml:0
#, python-format
msgid "Attachments"
msgstr ""
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/control_panel/control_panel.xml:0
#, python-format
msgid "CLEAR"
msgstr "Очистить"
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/legacy/xml/form_buttons.xml:0
#, python-format
msgid "Discard"
msgstr "Отменить"
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/control_panel/control_panel.xml:0
#: code:addons/web_responsive/static/src/components/search_panel/search_panel.xml:0
#, python-format
msgid "FILTER"
msgstr "Фильтр"
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/apps_menu/apps_menu.xml:0
#, python-format
msgid "Home Menu"
msgstr ""
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/chatter_topbar/chatter_topbar.xml:0
#, python-format
msgid "Log note"
msgstr ""
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/attachment_viewer/attachment_viewer.xml:0
#, python-format
msgid "Maximize"
msgstr "Увеличить"
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/attachment_viewer/attachment_viewer.xml:0
#, python-format
msgid "Minimize"
msgstr "Уменьшить"
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/legacy/xml/form_buttons.xml:0
#, python-format
msgid "New"
msgstr ""
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/control_panel/control_panel.xml:0
#: code:addons/web_responsive/static/src/components/search_panel/search_panel.xml:0
#, python-format
msgid "SEE RESULT"
msgstr "Применить"
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/legacy/xml/form_buttons.xml:0
#, python-format
msgid "Save"
msgstr "Сохранить"
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/apps_menu/apps_menu.xml:0
#, python-format
msgid "Search menus..."
msgstr "Поиск по меню..."
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/control_panel/control_panel.xml:0
#, python-format
msgid "Search..."
msgstr "Поиск..."
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/chatter_topbar/chatter_topbar.xml:0
#, python-format
msgid "Send message"
msgstr ""
#. module: web_responsive
#. odoo-javascript
#: code:addons/web_responsive/static/src/components/control_panel/control_panel.xml:0
#, python-format
msgid "View switcher"
msgstr "Сменить вид"
#, python-format
#~ msgid "Create"
#~ msgstr "Создать"
#~ msgid "Chatter Position"
#~ msgstr "Расположение Чата"
#, python-format
#~ msgid "Edit"
#~ msgstr "Править"
#~ msgid "Normal"
#~ msgstr "Снизу"
#, python-format
#~ msgid "Quick actions"
#~ msgstr "Действия"
#~ msgid "Sided"
#~ msgstr "Справа"
#, python-format
#~ msgid "Today"
#~ msgstr "Сегодня"
#, python-format
#~ msgid "Undefined"
#~ msgstr "Не определено"
#~ msgid "Users"
#~ msgstr "Пользователи"
#~ msgid "Display Name"
#~ msgstr "Видимое имя"
| OCA/web/web_responsive/i18n/ru.po/0 | {
"file_path": "OCA/web/web_responsive/i18n/ru.po",
"repo_id": "OCA",
"token_count": 1887
} | 82 |
/** @odoo-module **/
/* Copyright 2021 ITerra - Sergey Shebanin
* License LGPL-3.0 or later (http://www.gnu.org/licenses/lgpl). */
import SearchPanel from "@web/legacy/js/views/search_panel";
import {deviceContext} from "@web_responsive/components/ui_context.esm";
import {patch} from "web.utils";
// Patch search panel to add functionality for mobile view
patch(SearchPanel.prototype, "web_responsive.SearchPanelMobile", {
setup() {
this._super();
this.state.mobileSearch = false;
this.ui = deviceContext;
},
getActiveSummary() {
const selection = [];
for (const filter of this.model.get("sections")) {
let filterValues = [];
if (filter.type === "category") {
if (filter.activeValueId) {
const parentIds = this._getAncestorValueIds(
filter,
filter.activeValueId
);
filterValues = [...parentIds, filter.activeValueId].map(
(valueId) => filter.values.get(valueId).display_name
);
}
} else {
let values = [];
if (filter.groups) {
values = [
...[...filter.groups.values()].map((g) => g.values),
].flat();
}
if (filter.values) {
values = [...filter.values.values()];
}
filterValues = values
.filter((v) => v.checked)
.map((v) => v.display_name);
}
if (filterValues.length) {
selection.push({
values: filterValues,
icon: filter.icon,
color: filter.color,
type: filter.type,
});
}
}
return selection;
},
});
| OCA/web/web_responsive/static/src/components/search_panel/search_panel.esm.js/0 | {
"file_path": "OCA/web/web_responsive/static/src/components/search_panel/search_panel.esm.js",
"repo_id": "OCA",
"token_count": 1051
} | 83 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_save_discard_button
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 16.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2023-10-08 23:01+0000\n"
"Last-Translator: Ivorra78 <informatica@totmaterial.es>\n"
"Language-Team: none\n"
"Language: es\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 4.17\n"
#. module: web_save_discard_button
#. odoo-javascript
#: code:addons/web_save_discard_button/static/src/xml/template.xml:0
#, python-format
msgid "Discard"
msgstr "Descartar"
#. module: web_save_discard_button
#: model:ir.model,name:web_save_discard_button.model_ir_http
msgid "HTTP Routing"
msgstr "Enrutamiento HTTP"
#. module: web_save_discard_button
#. odoo-javascript
#: code:addons/web_save_discard_button/static/src/xml/template.xml:0
#, python-format
msgid "Save"
msgstr "Guardar"
| OCA/web/web_save_discard_button/i18n/es.po/0 | {
"file_path": "OCA/web/web_save_discard_button/i18n/es.po",
"repo_id": "OCA",
"token_count": 421
} | 84 |
* Guewen Baconnier <guewen.baconnier@camptocamp.com>
* Yannick Vaucher <yannick.vaucher@camptocamp.com>
* Nicolas JEUDY <https://github.com/njeudy>
* Artem Kostyuk <a.kostyuk@mobilunity.com>
* Stéphane Mangin <stephane.mangin@camptocamp.com>
* Helly kapatel <helly.kapatel@initos.com>
| OCA/web/web_send_message_popup/readme/CONTRIBUTORS.rst/0 | {
"file_path": "OCA/web/web_send_message_popup/readme/CONTRIBUTORS.rst",
"repo_id": "OCA",
"token_count": 131
} | 85 |
=================
Web Theme Classic
=================
..
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! This file is generated by oca-gen-addon-readme !!
!! changes will be overwritten. !!
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! source digest: sha256:080d86ef900f4f27baf1f53f92e407247e033c7b14a46667d53597711605af32
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
.. |badge1| image:: https://img.shields.io/badge/maturity-Beta-yellow.png
:target: https://odoo-community.org/page/development-status
:alt: Beta
.. |badge2| image:: https://img.shields.io/badge/licence-AGPL--3-blue.png
:target: http://www.gnu.org/licenses/agpl-3.0-standalone.html
:alt: License: AGPL-3
.. |badge3| image:: https://img.shields.io/badge/github-OCA%2Fweb-lightgray.png?logo=github
:target: https://github.com/OCA/web/tree/16.0/web_theme_classic
:alt: OCA/web
.. |badge4| image:: https://img.shields.io/badge/weblate-Translate%20me-F47D42.png
:target: https://translation.odoo-community.org/projects/web-16-0/web-16-0-web_theme_classic
:alt: Translate me on Weblate
.. |badge5| image:: https://img.shields.io/badge/runboat-Try%20me-875A7B.png
:target: https://runboat.odoo-community.org/builds?repo=OCA/web&target_branch=16.0
:alt: Try me on Runboat
|badge1| |badge2| |badge3| |badge4| |badge5|
This module extend the Odoo Community Edition ``web`` module to improve visibility
of form view.
**Rational:**
In Odoo V16, the design is very pure. That's great, but it generates some problem for
users :
* buttons and fields are not identifiable. (we can not know exactly where there are
until you hover over them with the cursor)
* there is no indication for the required fields until trying to save (or exit the screen)
In a way, this module restores the form display of version 15, but preserving the "save on the fly" new feature.
**Without this module**
.. figure:: https://raw.githubusercontent.com/OCA/web/16.0/web_theme_classic/static/description/product_template_form_without_module.png
**With this module**
.. figure:: https://raw.githubusercontent.com/OCA/web/16.0/web_theme_classic/static/description/product_template_form_with_module.png
**Table of contents**
.. contents::
:local:
Known issues / Roadmap
======================
* For the time being, the module improves form and search view. Some other improvement could
be done on other part of the UI.
Bug Tracker
===========
Bugs are tracked on `GitHub Issues <https://github.com/OCA/web/issues>`_.
In case of trouble, please check there if your issue has already been reported.
If you spotted it first, help us to smash it by providing a detailed and welcomed
`feedback <https://github.com/OCA/web/issues/new?body=module:%20web_theme_classic%0Aversion:%2016.0%0A%0A**Steps%20to%20reproduce**%0A-%20...%0A%0A**Current%20behavior**%0A%0A**Expected%20behavior**>`_.
Do not contact contributors directly about support or help with technical issues.
Credits
=======
Authors
~~~~~~~
* GRAP
Contributors
~~~~~~~~~~~~
* Sylvain LE GAL (https://www.twitter.com/legalsylvain)
Maintainers
~~~~~~~~~~~
This module is maintained by the OCA.
.. image:: https://odoo-community.org/logo.png
:alt: Odoo Community Association
:target: https://odoo-community.org
OCA, or the Odoo Community Association, is a nonprofit organization whose
mission is to support the collaborative development of Odoo features and
promote its widespread use.
.. |maintainer-legalsylvain| image:: https://github.com/legalsylvain.png?size=40px
:target: https://github.com/legalsylvain
:alt: legalsylvain
Current `maintainer <https://odoo-community.org/page/maintainer-role>`__:
|maintainer-legalsylvain|
This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_theme_classic>`_ project on GitHub.
You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
| OCA/web/web_theme_classic/README.rst/0 | {
"file_path": "OCA/web/web_theme_classic/README.rst",
"repo_id": "OCA",
"token_count": 1351
} | 86 |
# Copyright 2016 ACSONE SA/NV (<http://acsone.eu>)
# License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html).
{
"name": "Web timeline",
"summary": "Interactive visualization chart to show events in time",
"version": "16.0.1.0.3",
"development_status": "Production/Stable",
"author": "ACSONE SA/NV, "
"Tecnativa, "
"Monk Software, "
"Onestein, "
"Trobz, "
"Odoo Community Association (OCA)",
"category": "web",
"license": "AGPL-3",
"website": "https://github.com/OCA/web",
"depends": ["web"],
"data": [],
"maintainers": ["tarteo"],
"application": False,
"installable": True,
"assets": {
"web.assets_backend": [
"web_timeline/static/src/scss/web_timeline.scss",
"web_timeline/static/src/js/timeline_view.js",
"web_timeline/static/src/js/timeline_renderer.js",
"web_timeline/static/src/js/timeline_controller.esm.js",
"web_timeline/static/src/js/timeline_model.js",
"web_timeline/static/src/js/timeline_canvas.js",
"web_timeline/static/src/xml/web_timeline.xml",
],
},
}
| OCA/web/web_timeline/__manifest__.py/0 | {
"file_path": "OCA/web/web_timeline/__manifest__.py",
"repo_id": "OCA",
"token_count": 541
} | 87 |
===============
Web Touchscreen
===============
..
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! This file is generated by oca-gen-addon-readme !!
!! changes will be overwritten. !!
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! source digest: sha256:a0270c68e618f1a89a7b032ff47bfb6ac062745155eec81fbe042bc25b9d3fac
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
.. |badge1| image:: https://img.shields.io/badge/maturity-Alpha-red.png
:target: https://odoo-community.org/page/development-status
:alt: Alpha
.. |badge2| image:: https://img.shields.io/badge/licence-LGPL--3-blue.png
:target: http://www.gnu.org/licenses/lgpl-3.0-standalone.html
:alt: License: LGPL-3
.. |badge3| image:: https://img.shields.io/badge/github-OCA%2Fweb-lightgray.png?logo=github
:target: https://github.com/OCA/web/tree/16.0/web_touchscreen
:alt: OCA/web
.. |badge4| image:: https://img.shields.io/badge/weblate-Translate%20me-F47D42.png
:target: https://translation.odoo-community.org/projects/web-16-0/web-16-0-web_touchscreen
:alt: Translate me on Weblate
.. |badge5| image:: https://img.shields.io/badge/runboat-Try%20me-875A7B.png
:target: https://runboat.odoo-community.org/builds?repo=OCA/web&target_branch=16.0
:alt: Try me on Runboat
|badge1| |badge2| |badge3| |badge4| |badge5|
This module prefers kanban sub-form views when using a tablet, or any
other device with a touch screen, no matter its size.
For example, these screenshots showcase a sale order in a tablet:
=================== ================
Without this module With this module
=================== ================
|Before| |After|
=================== ================
.. |Before| image:: https://github.com/OCA/web/assets/973709/caa0be55-ec6b-45e8-af94-7492df08dfcc
:target: https://github.com/OCA/web/assets/973709/caa0be55-ec6b-45e8-af94-7492df08dfcc
.. |After| image:: https://github.com/OCA/web/assets/973709/345c1139-879d-4eb5-a828-786b1e3bc7b8
:target: https://github.com/OCA/web/assets/973709/345c1139-879d-4eb5-a828-786b1e3bc7b8
.. IMPORTANT::
This is an alpha version, the data model and design can change at any time without warning.
Only for development or testing purpose, do not use in production.
`More details on development status <https://odoo-community.org/page/development-status>`_
**Table of contents**
.. contents::
:local:
Use Cases / Context
===================
This module was developed because Odoo optimizes views only for mobile
or desktop, but forgets about tablets.
It will be useful for you if you usually use a tablet.
If you need this module for those reasons, these might interest you too:
- ``web_widget_numeric_step``
- OCA's ``web_responsive``, or the Odoo EE alternative
``web_enterprise`` (closed source).
Usage
=====
To use this module, you need to:
1. Use a tablet.
2. Go to any form that contains a sub-view which can be optimized for
mobile.
Known issues / Roadmap
======================
- Enable more mobile UI enhancements for tablets as they seem relevant.
- Allow setting per user or per session, with sane defaults. Just in
case you happen to use a tablet with a mouse.
Bug Tracker
===========
Bugs are tracked on `GitHub Issues <https://github.com/OCA/web/issues>`_.
In case of trouble, please check there if your issue has already been reported.
If you spotted it first, help us to smash it by providing a detailed and welcomed
`feedback <https://github.com/OCA/web/issues/new?body=module:%20web_touchscreen%0Aversion:%2016.0%0A%0A**Steps%20to%20reproduce**%0A-%20...%0A%0A**Current%20behavior**%0A%0A**Expected%20behavior**>`_.
Do not contact contributors directly about support or help with technical issues.
Credits
=======
Authors
-------
* Moduon
Contributors
------------
- Jairo Llopis (`Moduon <https://www.moduon.team/>`__)
Other credits
-------------
The development of this module has been financially supported by:
- Moduon Team S.L.
Maintainers
-----------
This module is maintained by the OCA.
.. image:: https://odoo-community.org/logo.png
:alt: Odoo Community Association
:target: https://odoo-community.org
OCA, or the Odoo Community Association, is a nonprofit organization whose
mission is to support the collaborative development of Odoo features and
promote its widespread use.
.. |maintainer-yajo| image:: https://github.com/yajo.png?size=40px
:target: https://github.com/yajo
:alt: yajo
.. |maintainer-rafaelbn| image:: https://github.com/rafaelbn.png?size=40px
:target: https://github.com/rafaelbn
:alt: rafaelbn
Current `maintainers <https://odoo-community.org/page/maintainer-role>`__:
|maintainer-yajo| |maintainer-rafaelbn|
This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_touchscreen>`_ project on GitHub.
You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
| OCA/web/web_touchscreen/README.rst/0 | {
"file_path": "OCA/web/web_touchscreen/README.rst",
"repo_id": "OCA",
"token_count": 1727
} | 88 |
# Copyright 2019 Onestein
# License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl).
{
"name": "Tree View Duplicate Records",
"summary": "Duplicate records directly from the tree view.",
"development_status": "Beta",
"category": "Extra Tools",
"version": "16.0.1.0.0",
"author": "Hunki Enterprises BV, Onestein, Odoo Community Association (OCA)",
"license": "AGPL-3",
"website": "https://github.com/OCA/web",
"depends": ["web"],
"maintainers": ["tarteo"],
"assets": {
"web.assets_backend": [
"web_tree_duplicate/static/src/web_tree_duplicate.esm.js",
],
},
}
| OCA/web/web_tree_duplicate/__manifest__.py/0 | {
"file_path": "OCA/web/web_tree_duplicate/__manifest__.py",
"repo_id": "OCA",
"token_count": 272
} | 89 |
/** @odoo-module */
/* Copyright 2013 Therp BV (<http://therp.nl>).
* Copyright 2015 Pedro M. Baeza <pedro.baeza@serviciosbaeza.com>
* Copyright 2016 Antonio Espinosa <antonio.espinosa@tecnativa.com>
* Copyright 2017 Sodexis <dev@sodexis.com>
* Copyright 2018 Camptocamp SA
* Copyright 2019 Alexandre Díaz <alexandre.diaz@tecnativa.com>
* License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl). */
import {ListRenderer} from "@web/views/list/list_renderer";
import {Component} from "@odoo/owl";
import {useService} from "@web/core/utils/hooks";
export class TreeMany2oneClickableButton extends Component {
setup() {
this.actionService = useService("action");
}
async onClick(ev) {
ev.stopPropagation();
return this.actionService.doAction({
type: "ir.actions.act_window",
res_model: this.props.field.relation,
res_id: this.props.value[0],
views: [[false, "form"]],
target: "target",
additionalContext: this.props.context || {},
});
}
}
TreeMany2oneClickableButton.template = "web_tree_many2one_clickable.Button";
Object.assign(ListRenderer.components, {TreeMany2oneClickableButton});
| OCA/web/web_tree_many2one_clickable/static/src/components/many2one_button/many2one_button.esm.js/0 | {
"file_path": "OCA/web/web_tree_many2one_clickable/static/src/components/many2one_button/many2one_button.esm.js",
"repo_id": "OCA",
"token_count": 489
} | 90 |
In any view with a domain field widget and model, but we'll make the example
with a user filter:
#. Enter debug mode.
#. Go to the *Debug menu* and select the option *Manage Filters*
#. Create a new one
#. Put a name to the filter and select a model (e.g.: Contact)
#. Click on the record selection button and a list dialog opens. There you can
either:
* Select individual records: those ids will be added to the domain.
* Set filters that will be applied to the domain and select all the records
to add it as a new filter.
* Set groups that will be converted into search filters, select all the
records and those unfolded groups will be set as filters to.
You can still edit the filter with Odoo's widget after that.
.. figure:: ../static/src/img/behaviour.gif
:align: center
:width: 600 px
| OCA/web/web_widget_domain_editor_dialog/readme/USAGE.rst/0 | {
"file_path": "OCA/web/web_widget_domain_editor_dialog/readme/USAGE.rst",
"repo_id": "OCA",
"token_count": 231
} | 91 |
.. code-block:: python
@api.model
def method_name(self):
values = [
('value_a', 'Title A'),
]
if self.env.context.get('depending_on') == True:
values += [
('value_b', 'Title B'),
]
return values
.. code-block:: xml
<field
name="other_field"
/>
<field
name="char_field"
widget="dynamic_dropdown"
options="{'values':'method_name'}"
context="{'depending_on': other_field}"
/>
| OCA/web/web_widget_dropdown_dynamic/readme/USAGE.rst/0 | {
"file_path": "OCA/web/web_widget_dropdown_dynamic/readme/USAGE.rst",
"repo_id": "OCA",
"token_count": 268
} | 92 |
This module extends the functionality of the image widget and allows to take snapshots with WebCam.
| OCA/web/web_widget_image_webcam/readme/DESCRIPTION.rst/0 | {
"file_path": "OCA/web/web_widget_image_webcam/readme/DESCRIPTION.rst",
"repo_id": "OCA",
"token_count": 19
} | 93 |
# Copyright 2022 ForgeFlow S.L.
# License AGPL-3.0 or later (https://www.gnu.org/licenses/agpl).
import logging
from odoo import api, models
_logger = logging.getLogger(__name__)
try:
import mpld3
from bs4 import BeautifulSoup
except (ImportError, IOError) as err:
_logger.debug(err)
class AbstractMpld3Parser(models.AbstractModel):
_name = "abstract.mpld3.parser"
_description = "Utility to parse ploot figure to json data for widget Mpld3"
@api.model
def convert_figure_to_json(self, figure):
html_string = mpld3.fig_to_html(figure, no_extras=True, include_libraries=False)
soup = BeautifulSoup(html_string, "lxml")
json_data = {
"div": str(soup.div),
"script": soup.script.decode_contents(),
}
return json_data
| OCA/web/web_widget_mpld3_chart/models/abstract_mpld3_parser.py/0 | {
"file_path": "OCA/web/web_widget_mpld3_chart/models/abstract_mpld3_parser.py",
"repo_id": "OCA",
"token_count": 335
} | 94 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_widget_numeric_step
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 12.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2023-10-15 20:36+0000\n"
"Last-Translator: Ivorra78 <informatica@totmaterial.es>\n"
"Language-Team: none\n"
"Language: es\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 4.17\n"
#. module: web_widget_numeric_step
#. odoo-javascript
#: code:addons/web_widget_numeric_step/static/src/numeric_step.xml:0
#, python-format
msgid "Minus"
msgstr "Menos"
#. module: web_widget_numeric_step
#. odoo-javascript
#: code:addons/web_widget_numeric_step/static/src/numeric_step.esm.js:0
#, python-format
msgid "Numeric Step"
msgstr "Paso Numérico"
#. module: web_widget_numeric_step
#. odoo-javascript
#: code:addons/web_widget_numeric_step/static/src/numeric_step.xml:0
#, python-format
msgid "Plus"
msgstr "Más"
#, python-format
#~ msgid "Value"
#~ msgstr "Valor"
| OCA/web/web_widget_numeric_step/i18n/es.po/0 | {
"file_path": "OCA/web/web_widget_numeric_step/i18n/es.po",
"repo_id": "OCA",
"token_count": 464
} | 95 |
from . import models
| OCA/web/web_widget_open_tab/__init__.py/0 | {
"file_path": "OCA/web/web_widget_open_tab/__init__.py",
"repo_id": "OCA",
"token_count": 5
} | 96 |
Edit the tree view and add the widget as the first field, usually, we should use:
.. code-block:: xml
<field name="id" widget="open_tab"/>
You can open the record in a new tab when clicking with the mouse wheel on the external link icon.
On a usual click the record will be opened without changes (keeping the breadcrumbs).
You can also add open-tab field in tree views by selecting "Add Open Tab Field" field in
the ir.model record. When you do this, the open-tab field is added right after the name
field in the tree if the field exists, otherwise at the beginning of the tree.
| OCA/web/web_widget_open_tab/readme/USAGE.rst/0 | {
"file_path": "OCA/web/web_widget_open_tab/readme/USAGE.rst",
"repo_id": "OCA",
"token_count": 149
} | 97 |
* This module uses the library `Plotly.js <https://github.com/plotly/plotly.js>`__
which is under the open-source MIT License.
Copyright (c) 2019 Plotly, Inc
* Odoo Community Association (OCA)
| OCA/web/web_widget_plotly_chart/readme/CREDITS.rst/0 | {
"file_path": "OCA/web/web_widget_plotly_chart/readme/CREDITS.rst",
"repo_id": "OCA",
"token_count": 62
} | 98 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_widget_x2many_2d_matrix
#
# Translators:
# Jarmo Kortetjärvi <jarmo.kortetjarvi@gmail.com>, 2016
msgid ""
msgstr ""
"Project-Id-Version: web (8.0)\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2016-01-10 07:31+0000\n"
"PO-Revision-Date: 2016-02-01 09:54+0000\n"
"Last-Translator: Jarmo Kortetjärvi <jarmo.kortetjarvi@gmail.com>\n"
"Language-Team: Finnish (http://www.transifex.com/oca/OCA-web-8-0/language/"
"fi/)\n"
"Language: fi\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=2; plural=(n != 1);\n"
#. module: web_widget_x2many_2d_matrix
#. odoo-javascript
#: code:addons/web_widget_x2many_2d_matrix/static/src/components/x2many_2d_matrix_renderer/x2many_2d_matrix_renderer.xml:0
#, python-format
msgid "Nothing to display."
msgstr ""
#, fuzzy, python-format
#~ msgid "Sum Total"
#~ msgstr "Yhteensä"
| OCA/web/web_widget_x2many_2d_matrix/i18n/fi.po/0 | {
"file_path": "OCA/web/web_widget_x2many_2d_matrix/i18n/fi.po",
"repo_id": "OCA",
"token_count": 436
} | 99 |
Use this widget by saying::
<field name="my_field" widget="x2many_2d_matrix" />
This assumes that my_field refers to a model with the fields `x`, `y` and
`value`. If your fields are named differently, pass the correct names as
attributes:
.. code-block:: xml
<field name="my_field" widget="x2many_2d_matrix" field_x_axis="my_field1" field_y_axis="my_field2" field_value="my_field3">
<tree>
<field name="my_field"/>
<field name="my_field1"/>
<field name="my_field2"/>
<field name="my_field3"/>
</tree>
</field>
You can pass the following parameters:
field_x_axis
The field that indicates the x value of a point
field_y_axis
The field that indicates the y value of a point
field_value
Show this field as value
show_row_totals
If field_value is a numeric field, it indicates if you want to calculate
row totals. True by default
show_column_totals
If field_value is a numeric field, it indicates if you want to calculate
column totals. True by default
Example
~~~~~~~
You need a data structure already filled with values. Let's assume we want to
use this widget in a wizard that lets the user fill in planned hours for one
task per project per user. In this case, we can use ``project.task`` as our
data model and point to it from our wizard. The crucial part is that we fill
the field in the default function:
.. code-block:: python
from odoo import fields, models
class MyWizard(models.TransientModel):
_name = 'my.wizard'
def _default_task_ids(self):
# your list of project should come from the context, some selection
# in a previous wizard or wherever else
projects = self.env['project.project'].browse([1, 2, 3])
# same with users
users = self.env['res.users'].browse([1, 2, 3])
return [
(0, 0, {
'name': 'Sample task name',
'project_id': p.id,
'user_id': u.id,
'planned_hours': 0,
'message_needaction': False,
'date_deadline': fields.Date.today(),
})
# if the project doesn't have a task for the user,
# create a new one
if not p.task_ids.filtered(lambda x: x.user_id == u) else
# otherwise, return the task
(4, p.task_ids.filtered(lambda x: x.user_id == u)[0].id)
for p in projects
for u in users
]
task_ids = fields.Many2many('project.task', default=_default_task_ids)
Now in our wizard, we can use:
.. code-block:: xml
<field name="task_ids" widget="x2many_2d_matrix" field_x_axis="project_id" field_y_axis="user_id" field_value="planned_hours">
<tree>
<field name="task_ids"/>
<field name="project_id"/>
<field name="user_id"/>
<field name="planned_hours"/>
</tree>
</field>
| OCA/web/web_widget_x2many_2d_matrix/readme/USAGE.rst/0 | {
"file_path": "OCA/web/web_widget_x2many_2d_matrix/readme/USAGE.rst",
"repo_id": "OCA",
"token_count": 1313
} | 100 |
# 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.
root = exports ? this
# Manages the Occurrence aggregation view.
#
class root.Aggregation
# Creates a new manager.
#
# @param [jQuery object] element The element where aggregation results will be
# rendered into.
# @param [jQuery object] filter The form containing filter options.
# @param [String] url The URL to load aggregation results from.
#
constructor: (@element, @filter, @url) ->
# Loads and renders aggregation results.
load: ->
@element.empty()
$('<p/>').addClass('no-results').text("Loading…").appendTo @element
$.ajax @url,
data: @filter.serialize()
success: (data) =>
@element.empty()
for own dimension, values of data
do (dimension, values) =>
return if values.length == 0
chart = $('<div/>').addClass('aggregation-dim').appendTo(@element)
$.plot chart, values,
series:
stack: true
bars: {show: true, lineWidth: 0}
xaxis:
mode: 'time'
timeformat: '%Y/%m/%d %H:%M'
tickLength: 5
yaxis:
min: 0
max: 100
tickDecimals: 0
tickFormatter: (num) -> "#{num}%"
grid:
borderWidth: 1
borderColor: 'gray'
legend:
sorted: 'ascending'
error: =>
@element.empty()
new Flash('alert').text "Couldn’t load aggregation results."
| SquareSquash/web/app/assets/javascripts/aggregation.js.coffee/0 | {
"file_path": "SquareSquash/web/app/assets/javascripts/aggregation.js.coffee",
"repo_id": "SquareSquash",
"token_count": 898
} | 101 |
@import "vars";
@mixin table {
th {
font-weight: bold;
font-size: 11px;
color: $gray2;
text-transform: uppercase;
text-align: left;
background-color: $gray6;
padding: 10px 20px;
white-space: nowrap;
}
tr { background-color: #f4f4f4; }
tbody>tr:hover:not(.no-highlight) { background-color: white; }
td {
padding: 10px 20px;
border-bottom: 1px solid $gray5;
&.table-notice {
padding-top: 20px;
color: $gray4;
font-size: 30px;
font-weight: bold;
text-align: center;
cursor: inherit;
background-color: transparent !important;
}
}
.no-results {
padding-top: 20px;
color: $gray4;
font-size: 30px;
font-weight: bold;
text-align: center;
}
a.rowlink {
color: inherit;
text-decoration: none;
}
tr:hover a.rowlink { text-decoration: underline; }
@include iphone-landscape-and-smaller {
// for small screens, turn the table on its head: stack the cells of a row
// and create a clear division between these groups
tr {
display: block;
border-bottom: 3px solid $gray4;
}
thead>tr {
border-top: 3px solid $gray4;
}
td, th { display: block; }
td { border-bottom: 1px solid $gray5; }
td:last-child { border-bottom: none; }
}
}
| SquareSquash/web/app/assets/stylesheets/_tables.scss/0 | {
"file_path": "SquareSquash/web/app/assets/stylesheets/_tables.scss",
"repo_id": "SquareSquash",
"token_count": 567
} | 102 |
# 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.
# Controller that works with the {Membership Memberships} belonging to the
# current {User}.
class Account::MembershipsController < ApplicationController
respond_to :json
# Returns a list of the 10 most recent Project Memberships belonging to the
# current User.
#
# Routes
# ------
#
# * `GET /account/memberships.json`
#
# Query Parameters
# ----------------
#
# | | |
# |:--------|:---------------------------------------------------------------------------------------------------|
# | `query` | If set, includes only those Memberships whose Project name begins with `query` (case-insensitive). |
def index
@memberships = current_user.memberships.order('memberships.created_at DESC').limit(10)
@memberships = @memberships.project_prefix(params[:query]) if params[:query].present?
# as much as i'd love to add includes(:project), it breaks the join in project_prefix.
# go ahead, try it and see.
render json: decorate(@memberships)
end
private
def decorate(memberships)
memberships.map do |membership|
membership.as_json.deep_merge(
project: membership.project.as_json.merge(url: project_url(membership.project)),
created_string: l(membership.created_at, format: :short_date),
human_role: membership.human_role.capitalize,
role: membership.role,
url: edit_project_my_membership_url(membership.project),
delete_url: project_my_membership_url(membership.project)
)
end
end
end
| SquareSquash/web/app/controllers/account/memberships_controller.rb/0 | {
"file_path": "SquareSquash/web/app/controllers/account/memberships_controller.rb",
"repo_id": "SquareSquash",
"token_count": 814
} | 103 |
# encoding: utf-8
# 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.
# Adds methods to a view class that allow it to render backtraces in a standard
# textual style.
module TextBacktraceRendering
# Renders a backtrace.
#
# @param [Array] backtrace The backtrace to render, in the format used by
# {Occurrence}.
# @return [String] The rendered backtrace.
def render_backtrace(backtrace)
backtrace.map { |e| render_backtrace_element(e) }.join("\n")
end
private
def render_backtrace_element(element)
if element['type'].nil?
render_normal_backtrace_element element
else
render_special_backtrace_element element
end
end
def render_special_backtrace_element(element)
case element['type']
when 'address'
"0x#{element['address'].to_s(16).rjust(8, '0').upcase}"
when /^js:/
render_js_backtrace_element element
when 'obfuscated'
format_backtrace_element element['file'], element['line'], element['symbol']
when 'java_native'
"#{element['class']}.#{element['symbol']} (native method)"
when 'jruby_noline'
format_backtrace_element element['file'], '(no line number)', element['symbol']
when 'jruby_block'
"(block in #{element['class']}##{element['symbol']})"
when 'asm_invoker'
"(ASM invoker class in #{element['file']})"
else
"(unknown backtrace format #{element['type']})"
end
end
def render_js_backtrace_element(element)
line_portion = if element['line'] && element['column'] then
"#{element['line']}:#{element['column']}"
elsif element['line'] then
element['line'].to_s
else
nil
end
li_text = element['url']
li_text << " : " << line_portion if line_portion
li_text << " (in #{element['symbol']})" if element['symbol']
return li_text
end
def render_normal_backtrace_element(element)
format_backtrace_element element['file'], element['line'], element['method']
end
end
| SquareSquash/web/app/views/additions/text_backtrace_rendering.rb/0 | {
"file_path": "SquareSquash/web/app/views/additions/text_backtrace_rendering.rb",
"repo_id": "SquareSquash",
"token_count": 1020
} | 104 |
Bug #<%= @bug.number %> on <%= @bug.environment.project.name %> has been
occurring frequently lately. You set a threshold on how often it should occur,
and this threshold was exceeded.
<%= project_environment_bug_url @bug.environment.project, @bug.environment, @bug %>
Project: <%= @bug.environment.project.name %>
Environment: <%= @bug.environment.name %>
Revision: <%= @bug.revision %>
<%= @bug.class_name %>
<% if @bug.special_file? %>
in <%= @bug.file %>
<% else %>
in <%= @bug.file %>:<%= @bug.line %>
<% end %>
<%= @bug.message_template %>
Yours truly,
Squash
| SquareSquash/web/app/views/notification_mailer/threshold.text.erb/0 | {
"file_path": "SquareSquash/web/app/views/notification_mailer/threshold.text.erb",
"repo_id": "SquareSquash",
"token_count": 236
} | 105 |
#!/usr/bin/env ruby
require_relative '../config/boot'
require 'rake'
Rake.application.run
| SquareSquash/web/bin/rake/0 | {
"file_path": "SquareSquash/web/bin/rake",
"repo_id": "SquareSquash",
"token_count": 31
} | 106 |
# 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.
Rails.application.configure do
# Settings specified here will take precedence over those in config/application.rb.
# In the development environment your application's code is reloaded on
# every request. This slows down response time but is perfect for development
# since you don't have to restart the web server when you make code changes.
config.cache_classes = false
# Do not eager load code on boot.
config.eager_load = false
# Show full error reports and disable caching.
config.consider_all_requests_local = true
config.action_controller.perform_caching = false
# Don't care if the mailer can't send.
config.action_mailer.raise_delivery_errors = false
# Print deprecation notices to the Rails logger.
config.active_support.deprecation = :log
# Raise an error on page load if there are pending migrations.
config.active_record.migration_error = :page_load
# Debug mode disables concatenation and preprocessing of assets.
# This option may cause significant delays in view rendering with a large
# number of complex assets.
config.assets.debug = true
# Asset digests allow you to set far-future HTTP expiration dates on all assets,
# yet still be able to expire them through the digest params.
config.assets.digest = true
# Adds additional error checking when serving assets at runtime.
# Checks for improperly declared sprockets dependencies.
# Raises helpful error messages.
config.assets.raise_runtime_errors = true
# Raises error for missing translations
# config.action_view.raise_on_missing_translations = true
# Configure development JavaScript self-reporting
config.middleware.delete 'Rack::Cors'
config.middleware.use Rack::Cors do
allow do
origins "localhost:#{$own_port}",
"127.0.0.1:#{$own_port}",
"[::1]:#{$own_port}"
resource '/api/1.0/notify', headers: :any, methods: [:post]
end
end
end
Erector::Widget.prettyprint_default = true
| SquareSquash/web/config/environments/development.rb/0 | {
"file_path": "SquareSquash/web/config/environments/development.rb",
"repo_id": "SquareSquash",
"token_count": 876
} | 107 |
# 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.
# Be sure to restart your server when you modify this file.
# You can add backtrace silencers for libraries that you're using but don't wish to see in your backtraces.
# Rails.backtrace_cleaner.add_silencer { |line| line =~ /my_noisy_library/ }
# You can also remove all the silencers if you're trying to debug a problem that might stem from framework code.
# Rails.backtrace_cleaner.remove_silencers!
| SquareSquash/web/config/initializers/backtrace_silencers.rb/0 | {
"file_path": "SquareSquash/web/config/initializers/backtrace_silencers.rb",
"repo_id": "SquareSquash",
"token_count": 290
} | 108 |
# 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.
root = exports ? this
# @private
class AutocompleteItem
constructor: (@element, @object, @value) ->
# Adds autocomplete capability to a field. When the field becomes focus, the
# autocomplete panel opens with all suggestions. Suggestions filter as the user
# types. The user can use the mouse or keyboard to choose a suggestion.
#
class root.Autocomplete
# Builds a new autocomplete handler for a field.
#
# @param [jQuery element] element The field to autocomplete-ize.
# @param [Object] options Autocomplete behavior.
# @option options [Array<Object>] suggestions An array of arbitrary objects
# that represent autocomplete suggestions.
# @option options [function] elementBuilder Function that takes a
# jQuery-generated element to add to the suggestion list, and a suggestion
# from `suggestions`. It should modify the element to display the
# suggestion.
# @option options [function] filterSuggestions Function that takes two
# arguments: 1) a query string, and 2) the value of `suggestions`, and
# returns a filtered subset of the second argument given the value of the
# first.
# @option options [function] fieldValue Function that takes an element of
# `suggestions` and returns a value that should be placed into the text
# field if that selection is chosen.
#
constructor: (@element, @options) ->
@element.wrap $('<div/>').css('position', 'relative')
@element.attr 'autocomplete', 'off'
@dropdown = $('<ul/>').addClass('autocomplete').appendTo(@element.parent())
@itemList = this.renderItems(@options.suggestions)
this.resetSelection()
@element.focus( =>
@dropdown.css 'top', '' + @element.outerHeight() + 'px'
@dropdown.css 'width', '' + @element.outerWidth() + 'px'
@dropdown.addClass('shown')
).blur =>
@dropdown.oneTime 100, => @dropdown.removeClass('shown')
# we add the delay to allow a click event to fire on an LI if we clicked
# on it, before hiding the menu
this.resetSelection()
@element.keyup (e) =>
switch e.keyCode
when 38 # up arrow
@selection--
@selection = -1 if @selection < -1
e.preventDefault(); e.stopPropagation(); return false
when 40 # down arrow
@selection++
@selection = @itemList.length - 1 if @selection >= @itemList.length
this.refreshSelection()
e.preventDefault(); e.stopPropagation(); return false
else
this.filter()
return true
@element.keydown (e) =>
switch e.keyCode
when 13 # enter
this.applySelection()
@element.blur()
e.preventDefault(); e.stopPropagation(); return false
when 9 # tab
this.applySelection()
return true
else
return true
# @private
renderItems: (items) ->
@dropdown.empty()
items = $.map(items, (suggestion, idx) =>
val = @options.fieldValue(suggestion)
li = $('<li/>').data('id', val)
@options.elementBuilder li, suggestion
@dropdown.append li
# have the selection follow the mouse cursor
li.hover (=> this.refreshSelection(idx)), (=> this.refreshSelection())
li.click => this.applySelection(idx); false
new AutocompleteItem(li, suggestion, val))
items
# Applies the selected suggestion to the field, overwriting its contents.
#
# @param [Integer] sel The selection to apply. If omitted, the current
# selection is used.
#
applySelection: (sel=null) ->
sel ?= @selection
return if sel < 0 || sel >= @itemList.length
@element.val @itemList[sel].value
# Filters the suggestion list based on the given string.
#
# @param [String] string The string to filter on. If omitted, the contents of
# the text field are used.
#
filter: (string=null) ->
string ?= @element.val()
filtered = @options.filterSuggestions(string, @options.suggestions)
@itemList = this.renderItems(filtered)
this.resetSelection()
# @private
refreshSelection: (sel=null) ->
sel ?= @selection
@dropdown.find('>li').removeClass 'selected'
return unless @itemList && @itemList[sel]
@dropdown.find(">li[data-id=#{@itemList[sel].value}]").addClass 'selected'
# Clears the selection state of the dropdown.
#
resetSelection: ->
@selection = -1
this.refreshSelection()
# Adds a jQuery helper method to autocomplete-ize fields.
jQuery.fn.autocomplete = (options) ->
new Autocomplete($(this), options)
return $(this)
| SquareSquash/web/lib/assets/javascripts/autocomplete.js.coffee/0 | {
"file_path": "SquareSquash/web/lib/assets/javascripts/autocomplete.js.coffee",
"repo_id": "SquareSquash",
"token_count": 1783
} | 109 |
# 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.
root = exports ? this
# Where by "sortable," I mean "sortable, filterable, Ajax-backed,
# infinitely-scrolling, and generally awesome."
#
# Prerequisites: You need a table, and an Ajaxy endpoint that returns a JSON or
# XML array of records. It should respect the values of the "sort" and "dir"
# query parameters, as well as the "last" query parameter for infinite scrolling
# (see the scroll_with option).
#
# All HTTP errors are handled gracefully with table messages.
#
class root.SortableTable
# Creates a sortable table manager.
#
# The column definition is an array of columns (in order). Each column is an
# object with the following keys:
#
# | Hash key | Value type | Description |
# |:----------------|:-----------|:-----------------------------------------------------------------------------------------------------------------------------------------------------------|
# | `key` | `String` | Unique identifier for the column, and sort parameter. |
# | `title` | `String` | Column title (human-readable). |
# | `sortable` | `String` | If `null`, the column is not sortable. If "asc" or "desc", the column is sortable, and defaults to that sort direction. |
# | `textGenerator` | `function` | A function that, given a record, generates the column's contents. Defaults to pulling out whatever value is associated with the column key (HTML-escaped). |
# | `htmlGenerator` | `function` | Like `textGenerator`, but does not HTML-escape the result. |
#
# @param [jQuery element array] element The TABLE element.
# @param [String] endpoint The URL to your endpoint. Don't include any query
# parameters; see `options` if you need those.
# @param [Array] columns Your column definition. See above.
# @param [Object] options Additional options.
# @option options [String] sort_key The column that is initially sorted by default.
# @option options [Object, function] Additional query parameters. Can be an
# object or a function that returns an object (to be serialized).
# @option options [String] scroll_with The record key to send to the server
# when infinitely scrolling, to indicate the last-loaded record.
#
constructor: (@element, @endpoint, @columns, options) ->
@additional_params = options.params
@scroll_identifier = options.scroll_with || 'id'
@element.addClass 'sortable'
thead = $('<thead/>').appendTo @element
$('<tbody/>').appendTo @element
header_row = $('<tr/>').appendTo(thead)
for column in @columns
do (column) =>
th = $('<th/>').text(column.title).attr('id', "header-#{column.key}").appendTo(header_row)
if column.sortable
i = $('<i/>').appendTo(th)
if @sort_key == column.key
if @sort_dir == 'asc' then i.addClass('fa fa-sort-up') else i.addClass('fa fa-sort-down')
else
i.addClass('fa fa-sort')
th.addClass 'sortable'
th.click =>
this.sort column.key
$(window).scroll (e) =>
if $(window).scrollTop() >= $(document).height() - $(window).height() && !@loading_more && @last && !@end_of_scroll
@loading_more ||= $('<div/>').addClass('alert info').text(" Loading more…").insertAfter(@element)
$('<i/>').addClass('fa fa-refresh').prependTo(@loading_more)
$.ajax @endpoint,
data: $.param($.extend({}, this.additionalParams(), this.sortParameters(), { last: @last }))
type: 'GET',
success: (records) =>
if records.length > 0 then this.addRecords(records) else @end_of_scroll = true
if @loading_more
@loading_more.remove()
@loading_more = null
error: =>
this.setNote "Couldn’t load results ☹", false
if @loading_more
@loading_more.remove()
@loading_more = null
@end_of_scroll = true
this.setNote "Loading…"
this.sort options.sort_key
# Forces a refresh of the table data.
#
# @param [function, null] after_complete A callback to invoke once the refresh
# completes successfully.
# @param [Boolean] after_error_too if `true`, runs `after_complete` if there's
# an error.
#
refreshData: (after_complete, after_error_too=false) ->
$.ajax @endpoint,
data: $.param($.extend({}, this.additionalParams(), this.sortParameters()))
type: 'GET'
complete: =>
this.updateHead() # remove refresh icon
success: (records) =>
this.clearData()
@end_of_scroll = false
if records.length > 0 then this.addRecords(records) else this.setNote("No results")
if records.length < 50 then @end_of_scroll = true
if after_complete then after_complete()
error: =>
this.setNote "Couldn’t load results ☹"
if after_complete && after_error_too then after_complete()
this
# Removes all data rows from the table.
#
clearData: ->
@element.find('tbody').empty()
# Invoked when a column header is clicked. Resorts the table by the new key.
# A call to `sort` with the sort key already in use reverses the sort.
#
# @param [String] key The key to sort on, as an element in the columns array.
#
sort: (key) ->
for column in @columns
do (column) ->
if column.key == key
if column.sorted == 'asc'
column.sorted = 'desc'
else if column.sorted == 'desc'
column.sorted = 'asc'
else
column.sorted = column.sortable
else
column.sorted = false
this.updateHead()
@element.find("#header-#{this.sortKey()}>i").removeClass().addClass('fa fa-refresh')
this.refreshData()
# @private
updateHead: ->
@element.find('thead>tr>th').removeClass('sorted')
@element.find('thead>tr>th>i').remove()
@element.find("#header-#{this.sortKey()}").addClass 'sorted'
$('<i/>').addClass("fa fa-sort-#{if this.sortDir() == 'asc' then 'up' else 'down'}").appendTo @element.find("#header-#{this.sortKey()}")
$('<i/>').addClass("fa fa-sort").appendTo @element.find("thead>tr>th.sortable[id!=header-#{this.sortKey()}]")
# @private
sortKey: ->
for column in @columns when column.sorted
return column.key
null
# @private
sortDir: ->
for column in @columns when column.sorted
return column.sorted
null
# @private
sortParameters: ->
{ sort: this.sortKey(), dir: this.sortDir() }
# @private
additionalParams: ->
if typeof @additional_params == 'function'
@additional_params()
else
@additional_params
# Replaces the contents of this table with a note indicating, e.g., an error.
#
# @param [String] note The note to display.
# @param [Boolean] clear If `true`, all body rows will be removed before the
# note is rendered.
#
setNote: (note, clear=true) ->
if clear then this.clearData()
tr = $('<tr/>').addClass('no-highlight').appendTo(@element)
$('<td/>').attr('colspan', @columns.length).addClass('table-notice').html(note).appendTo(tr)
# @private
addRecords: (records) ->
if records.length == 0 then return
@last = records[records.length - 1][@scroll_identifier]
for record in records
do (record) =>
tr = $('<tr/>').attr('id', "#{@element.attr('id')}-row#{record[@scroll_identifier]}").appendTo(@element.find('tbody'))
for column in @columns
do (column) ->
td = $('<td/>').addClass("column-#{column.key}").appendTo(tr)
td_inner = if record.href then $('<a/>').addClass('rowlink').attr('href', record.href).appendTo(td) else td
if column.htmlGenerator
html = column.htmlGenerator(record)
# don't clobber cell-specific links with the row-wide link
column.htmlGenerator(record).appendTo(if html.is('a') then td else td_inner)
else if column.textGenerator
td_inner.text column.textGenerator(record)
else
if record[column.key]? then td_inner.text(record[column.key]) else td_inner.html('<span class="aux">N/A</span>')
@element.trigger 'append', [records]
| SquareSquash/web/lib/assets/javascripts/sortable_table.js.coffee/0 | {
"file_path": "SquareSquash/web/lib/assets/javascripts/sortable_table.js.coffee",
"repo_id": "SquareSquash",
"token_count": 3770
} | 110 |
# 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.
if Rails.env.development?
require 'yard'
# bring sexy back (sexy == tables)
module YARD::Templates::Helpers::HtmlHelper
def html_markup_markdown(text)
markup_class(:markdown).new(text, :gh_blockcode, :fenced_code, :autolink, :tables, :no_intraemphasis).to_html
end
end
YARD::Rake::YardocTask.new do |doc|
doc.options << '-m' << 'markdown' << '-M' << 'redcarpet'
doc.options << '--protected' << '--no-private'
doc.options << '-r' << 'README.md'
doc.options << '-o' << 'doc/app'
doc.options << '--title' << "Squash Documentation"
doc.files = %w( app/**/*.rb lib/**/*.rb - doc/*.md )
end
end
| SquareSquash/web/lib/tasks/doc.rake/0 | {
"file_path": "SquareSquash/web/lib/tasks/doc.rake",
"repo_id": "SquareSquash",
"token_count": 443
} | 111 |
# 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.
# Very simple worker that fetches a {Project}'s repository.
class ProjectRepoFetcher
include BackgroundRunner::Job
# Creates a new instance and calls {#perform} on it.
#
# @param [Integer] project_id The ID of a {Project} whose repository should be
# updated.
def self.perform(project_id)
new(Project.find(project_id)).perform
end
# Creates a new instance.
#
# @param [Project] project A Project whose repository should be updated.
def initialize(project)
@project = project
end
# Fetches the Project's repository.
def perform
@project.repo &:fetch
end
end
| SquareSquash/web/lib/workers/project_repo_fetcher.rb/0 | {
"file_path": "SquareSquash/web/lib/workers/project_repo_fetcher.rb",
"repo_id": "SquareSquash",
"token_count": 369
} | 112 |
# 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 Account::BugsController, type: :controller do
describe "#index" do
def sort(bugs, field, reverse=false)
bugs.sort_by! { |b| [b.send(field), b.number] }
bugs.reverse! if reverse
bugs
end
it "should require a logged-in user" do
get :index
expect(response).to redirect_to(login_url(next: request.fullpath))
end
context '[authenticated]' do
before(:each) { login_as @user }
context '[JSON]' do
context "[type = watched]" do
before :all do
@user = FactoryGirl.create(:user)
env = FactoryGirl.create(:environment)
FactoryGirl.create :membership, user: @user, project: env.project
@bugs = FactoryGirl.create_list(:bug, 10, environment: env)
@bugs.each { |bug| FactoryGirl.create :watch, user: @user, bug: bug }
# create an increasing number of occurrences per each bug
# also creates a random first and latest occurrence
@bugs.each_with_index do |bug, i|
Bug.where(id: bug.id).update_all occurrences_count: i + 1,
first_occurrence: Time.now - rand*86400,
latest_occurrence: Time.now - rand*86400
end
@watches = @user.watches.includes(:bug).order('created_at DESC') # reload to get new triggered values
end
before(:each) { stub_const 'Account::BugsController::PER_PAGE', 5 } # speed it up
it "should load 50 of the most recently watched bugs by default" do
get :index, format: 'json', type: 'watched'
expect(response.status).to eql(200)
expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(@watches.map(&:bug).map(&:number)[0, 5])
end
it "should return the next 50 bugs when given a last parameter" do
get :index, last: @watches[4].bug.id, format: 'json', type: 'watched'
expect(response.status).to eql(200)
expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(@watches.map(&:bug).map(&:number)[5, 5])
end
it "should decorate the bug JSON" do
get :index, format: 'json', type: 'watched'
JSON.parse(response.body).each { |bug| expect(bug['href']).to match(/\/projects\/.+?\/environments\/.+?\/bugs\/#{bug['number']}/) }
end
end
context "[type = assigned]" do
before :all do
@user = FactoryGirl.create(:user)
env = FactoryGirl.create(:environment)
FactoryGirl.create :membership, user: @user, project: env.project
@bugs = FactoryGirl.create_list(:bug, 10, environment: env, assigned_user: @user)
# create an increasing number of occurrences per each bug
# also creates a random first and latest occurrence
@bugs.each_with_index do |bug, i|
Bug.where(id: bug.id).update_all occurrences_count: i + 1,
first_occurrence: Time.now - rand*86400,
latest_occurrence: Time.now - rand*86400
end
@bugs.map(&:reload) # get the new triggered values
sort @bugs, 'latest_occurrence', true
end
before(:each) { stub_const 'Account::BugsController::PER_PAGE', 5 } # speed it up
it "should load 50 of the newest assigned bugs by default" do
get :index, format: 'json'
expect(response.status).to eql(200)
expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(@bugs.map(&:number)[0, 5])
end
it "should return the next 50 bugs when given a last parameter" do
get :index, last: @bugs[4].number, format: 'json'
expect(response.status).to eql(200)
expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(@bugs.map(&:number)[5, 5])
end
it "should decorate the bug JSON" do
get :index, format: 'json'
JSON.parse(response.body).each { |bug| expect(bug['href']).to match(/\/projects\/.+?\/environments\/.+?\/bugs\/#{bug['number']}/) }
end
end
end
end
end
end
| SquareSquash/web/spec/controllers/account/bugs_controller_spec.rb/0 | {
"file_path": "SquareSquash/web/spec/controllers/account/bugs_controller_spec.rb",
"repo_id": "SquareSquash",
"token_count": 2206
} | 113 |
# 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 Jira::ProjectsController, type: :controller do
describe "#index" do
it "should a list of known projects" do
FakeWeb.register_uri :get,
jira_url("/rest/api/2/project"),
response: Rails.root.join('spec', 'fixtures', 'jira_projects.json')
get :index, format: 'json'
expect(response.status).to eql(200)
body = JSON.parse(response.body)
expect(body.map { |st| st['name'] }).
to eql(["Alert", "Android", "Bugs", "Business Intelligence",
"Checker", "Coffee Bar", "Compliance"].sort)
end
end
end unless Squash::Configuration.jira.disabled?
| SquareSquash/web/spec/controllers/jira/projects_controller_spec.rb/0 | {
"file_path": "SquareSquash/web/spec/controllers/jira/projects_controller_spec.rb",
"repo_id": "SquareSquash",
"token_count": 489
} | 114 |
# 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 JiraStatusWorker do
describe "#perform" do
it "should update bugs linked to newly-closed JIRA tickets" do
FakeWeb.register_uri :get,
jira_url('/rest/api/2/issue/FOO-123'),
response: Rails.root.join('spec', 'fixtures', 'jira_issue_resolved.json')
FakeWeb.register_uri :get,
jira_url('/rest/api/2/issue/FOO-124'),
response: Rails.root.join('spec', 'fixtures', 'jira_issue.json')
Bug.destroy_all
env = FactoryGirl.create(:environment)
linked_bugs = [
FactoryGirl.create(:bug, environment: env, jira_issue: 'FOO-123', jira_status_id: 5),
FactoryGirl.create(:bug, environment: env, jira_issue: 'FOO-123', jira_status_id: 5)
]
unlinked_bugs = [
FactoryGirl.create(:bug, environment: env, jira_issue: 'FOO-123', jira_status_id: 1),
FactoryGirl.create(:bug, environment: env, jira_issue: 'FOO-124', jira_status_id: 5),
FactoryGirl.create(:bug, environment: env, jira_issue: 'FOO-123'),
FactoryGirl.create(:bug, environment: env, jira_status_id: 5),
FactoryGirl.create(:bug, environment: env)
]
JiraStatusWorker.perform
linked_bugs.each { |bug| expect(bug.reload).to be_fixed }
unlinked_bugs.each { |bug| expect(bug.reload).not_to be_fixed }
expect(linked_bugs.first.events.last.kind).to eql('close')
expect(linked_bugs.first.events.last.data['issue']).to eql('FOO-123')
expect(linked_bugs.first.events.last.user).to be_nil
end
end
end unless Squash::Configuration.jira.disabled?
| SquareSquash/web/spec/lib/workers/jira_status_updater_spec.rb/0 | {
"file_path": "SquareSquash/web/spec/lib/workers/jira_status_updater_spec.rb",
"repo_id": "SquareSquash",
"token_count": 954
} | 115 |
# 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 SourceMap, type: :model do
context "[hooks]" do
it "should source-map pending occurrences when created" do
if RSpec.configuration.use_transactional_fixtures
pending "This is done in an after_commit hook, and it can't be tested with transactional fixtures (which are always rolled back)"
end
Project.delete_all
project = FactoryGirl.create(:project, repository_url: 'https://github.com/RISCfuture/better_caller.git')
env = FactoryGirl.create(:environment, project: project)
bug = FactoryGirl.create(:bug,
file: 'lib/better_caller/extensions.rb',
line: 5,
environment: env,
blamed_revision: '30e7c2ff8758f4f19bfbc0a57e26c19ab69d1d44')
occurrence = FactoryGirl.create(:rails_occurrence,
revision: '2dc20c984283bede1f45863b8f3b4dd9b5b554cc',
bug: bug,
backtraces: [{"name" => "Thread 0",
"faulted" => true,
"backtrace" =>
[{"file" => "lib/better_caller/extensions.rb", "line" => 5, "symbol" => "foo"},
{"type" => "minified",
"url" => "http://test.host/example/asset.js",
"line" => 3,
"column" => 144,
"symbol" => "eval",
"context" => nil}]}])
expect(occurrence).not_to be_sourcemapped
map = GemSourceMap::Map.new([
GemSourceMap::Mapping.new('app/assets/javascripts/source.js', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(25, 1))
], 'http://test.host/example/asset.js')
FactoryGirl.create :source_map, environment: env, revision: '2dc20c984283bede1f45863b8f3b4dd9b5b554cc', map: map
expect(occurrence.reload).to be_sourcemapped
expect(occurrence.redirect_target_id).to be_nil
end
it "should reassign to another bug if blame changes" do
if RSpec.configuration.use_transactional_fixtures
pending "This is done in an after_commit hook, and it can't be tested with transactional fixtures (which are always rolled back)"
end
Project.delete_all
project = FactoryGirl.create(:project, repository_url: 'https://github.com/RISCfuture/better_caller.git')
env = FactoryGirl.create(:environment, project: project)
bug1 = FactoryGirl.create(:bug,
file: '_JS_ASSET_',
line: 1,
environment: env,
blamed_revision: '30e7c2ff8758f4f19bfbc0a57e26c19ab69d1d44')
bug2 = FactoryGirl.create(:bug,
file: 'lib/better_caller/extensions.rb',
line: 5,
blamed_revision: '30e7c2ff8758f4f19bfbc0a57e26c19ab69d1d44',
environment: env)
occurrence = FactoryGirl.create(:rails_occurrence,
revision: bug1.blamed_revision,
bug: bug1,
backtraces: [{"name" => "Thread 0",
"faulted" => true,
"backtrace" =>
[{"file" => "lib/better_caller/extensions.rb", "line" => 5, "symbol" => "foo"},
{"type" => "minified",
"url" => "http://test.host/example/asset.js",
"line" => 3,
"column" => 144,
"symbol" => "eval",
"context" => nil}]}])
expect(occurrence).not_to be_sourcemapped
map = GemSourceMap::Map.new([
GemSourceMap::Mapping.new('app/assets/javascripts/source.js', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(2, 1))
], 'http://test.host/example/asset.js')
FactoryGirl.create :source_map, environment: env, revision: bug1.blamed_revision, map: map
expect(bug2.occurrences.count).to eql(1)
o2 = bug2.occurrences.first
expect(occurrence.reload.redirect_target_id).to eql(o2.id)
end
end
describe '#resolve' do
before :all do
@map1 = GemSourceMap::Map.new([
GemSourceMap::Mapping.new('app/assets/javascripts/example/url.coffee', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(2, 1)),
], 'http://test.host/example/url.js')
@map2 = GemSourceMap::Map.new([
GemSourceMap::Mapping.new('app/assets/javascripts/source.js', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(2, 1)),
], '/example/path.js')
end
it "should resolve a route, line, and column" do
map = FactoryGirl.create(:source_map, map: @map1)
expect(map.resolve('http://test.host/example/url.js', 3, 144)).
to eql(
'file' => 'app/assets/javascripts/example/url.coffee',
'line' => 2,
'column' => 1
)
end
it "should resolve a URL path, line, and column" do
map = FactoryGirl.create(:source_map, map: @map2)
expect(map.resolve('http://test.host/example/path.js', 3, 144)).
to eql(
'file' => 'app/assets/javascripts/source.js',
'line' => 2,
'column' => 1
)
end
end
end
| SquareSquash/web/spec/models/source_map_spec.rb/0 | {
"file_path": "SquareSquash/web/spec/models/source_map_spec.rb",
"repo_id": "SquareSquash",
"token_count": 4115
} | 116 |
/* ===================================================
* bootstrap-transition.js v2.2.1
* http://twitter.github.com/bootstrap/javascript.html#transitions
* ===================================================
* Copyright 2012 Twitter, 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.
* ========================================================== */
!function ($) {
"use strict"; // jshint ;_;
/* CSS TRANSITION SUPPORT (http://www.modernizr.com/)
* ======================================================= */
$(function () {
$.support.transition = (function () {
var transitionEnd = (function () {
var el = document.createElement('bootstrap')
, transEndEventNames = {
'WebkitTransition' : 'webkitTransitionEnd'
, 'MozTransition' : 'transitionend'
, 'OTransition' : 'oTransitionEnd otransitionend'
, 'transition' : 'transitionend'
}
, name
for (name in transEndEventNames){
if (el.style[name] !== undefined) {
return transEndEventNames[name]
}
}
}())
return transitionEnd && {
end: transitionEnd
}
})()
})
}(window.jQuery);
/* ===========================================================
* bootstrap-tooltip.js v2.2.1
* http://twitter.github.com/bootstrap/javascript.html#tooltips
* Inspired by the original jQuery.tipsy by Jason Frame
* ===========================================================
* Copyright 2012 Twitter, 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.
* ========================================================== */
!function ($) {
"use strict"; // jshint ;_;
/* TOOLTIP PUBLIC CLASS DEFINITION
* =============================== */
var Tooltip = function (element, options) {
this.init('tooltip', element, options)
}
Tooltip.prototype = {
constructor: Tooltip
, init: function (type, element, options) {
var eventIn
, eventOut
this.type = type
this.$element = $(element)
this.options = this.getOptions(options)
this.enabled = true
if (this.options.trigger == 'click') {
this.$element.on('click.' + this.type, this.options.selector, $.proxy(this.toggle, this))
} else if (this.options.trigger != 'manual') {
eventIn = this.options.trigger == 'hover' ? 'mouseenter' : 'focus'
eventOut = this.options.trigger == 'hover' ? 'mouseleave' : 'blur'
this.$element.on(eventIn + '.' + this.type, this.options.selector, $.proxy(this.enter, this))
this.$element.on(eventOut + '.' + this.type, this.options.selector, $.proxy(this.leave, this))
}
this.options.selector ?
(this._options = $.extend({}, this.options, { trigger: 'manual', selector: '' })) :
this.fixTitle()
}
, getOptions: function (options) {
options = $.extend({}, $.fn[this.type].defaults, options, this.$element.data())
if (options.delay && typeof options.delay == 'number') {
options.delay = {
show: options.delay
, hide: options.delay
}
}
return options
}
, enter: function (e) {
var self = $(e.currentTarget)[this.type](this._options).data(this.type)
if (!self.options.delay || !self.options.delay.show) return self.show()
clearTimeout(this.timeout)
self.hoverState = 'in'
this.timeout = setTimeout(function() {
if (self.hoverState == 'in') self.show()
}, self.options.delay.show)
}
, leave: function (e) {
var self = $(e.currentTarget)[this.type](this._options).data(this.type)
if (this.timeout) clearTimeout(this.timeout)
if (!self.options.delay || !self.options.delay.hide) return self.hide()
self.hoverState = 'out'
this.timeout = setTimeout(function() {
if (self.hoverState == 'out') self.hide()
}, self.options.delay.hide)
}
, show: function () {
var $tip
, inside
, pos
, actualWidth
, actualHeight
, placement
, tp
if (this.hasContent() && this.enabled) {
$tip = this.tip()
this.setContent()
if (this.options.animation) {
$tip.addClass('fade')
}
placement = typeof this.options.placement == 'function' ?
this.options.placement.call(this, $tip[0], this.$element[0]) :
this.options.placement
inside = /in/.test(placement)
$tip
.detach()
.css({ top: 0, left: 0, display: 'block' })
.insertAfter(this.$element)
pos = this.getPosition(inside)
actualWidth = $tip[0].offsetWidth
actualHeight = $tip[0].offsetHeight
switch (inside ? placement.split(' ')[1] : placement) {
case 'bottom':
tp = {top: pos.top + pos.height, left: pos.left + pos.width / 2 - actualWidth / 2}
break
case 'top':
tp = {top: pos.top - actualHeight, left: pos.left + pos.width / 2 - actualWidth / 2}
break
case 'left':
tp = {top: pos.top + pos.height / 2 - actualHeight / 2, left: pos.left - actualWidth}
break
case 'right':
tp = {top: pos.top + pos.height / 2 - actualHeight / 2, left: pos.left + pos.width}
break
}
$tip
.offset(tp)
.addClass(placement)
.addClass('in')
}
}
, setContent: function () {
var $tip = this.tip()
, title = this.getTitle()
$tip.find('.tooltip-inner')[this.options.html ? 'html' : 'text'](title)
$tip.removeClass('fade in top bottom left right')
}
, hide: function () {
var that = this
, $tip = this.tip()
$tip.removeClass('in')
function removeWithAnimation() {
var timeout = setTimeout(function () {
$tip.off($.support.transition.end).detach()
}, 500)
$tip.one($.support.transition.end, function () {
clearTimeout(timeout)
$tip.detach()
})
}
$.support.transition && this.$tip.hasClass('fade') ?
removeWithAnimation() :
$tip.detach()
return this
}
, fixTitle: function () {
var $e = this.$element
if ($e.attr('title') || typeof($e.attr('data-original-title')) != 'string') {
$e.attr('data-original-title', $e.attr('title') || '').removeAttr('title')
}
}
, hasContent: function () {
return this.getTitle()
}
, getPosition: function (inside) {
return $.extend({}, (inside ? {top: 0, left: 0} : this.$element.offset()), {
width: this.$element[0].offsetWidth
, height: this.$element[0].offsetHeight
})
}
, getTitle: function () {
var title
, $e = this.$element
, o = this.options
title = $e.attr('data-original-title')
|| (typeof o.title == 'function' ? o.title.call($e[0]) : o.title)
return title
}
, tip: function () {
return this.$tip = this.$tip || $(this.options.template)
}
, validate: function () {
if (!this.$element[0].parentNode) {
this.hide()
this.$element = null
this.options = null
}
}
, enable: function () {
this.enabled = true
}
, disable: function () {
this.enabled = false
}
, toggleEnabled: function () {
this.enabled = !this.enabled
}
, toggle: function (e) {
var self = $(e.currentTarget)[this.type](this._options).data(this.type)
self[self.tip().hasClass('in') ? 'hide' : 'show']()
}
, destroy: function () {
this.hide().$element.off('.' + this.type).removeData(this.type)
}
}
/* TOOLTIP PLUGIN DEFINITION
* ========================= */
$.fn.tooltip = function ( option ) {
return this.each(function () {
var $this = $(this)
, data = $this.data('tooltip')
, options = typeof option == 'object' && option
if (!data) $this.data('tooltip', (data = new Tooltip(this, options)))
if (typeof option == 'string') data[option]()
})
}
$.fn.tooltip.Constructor = Tooltip
$.fn.tooltip.defaults = {
animation: true
, placement: 'top'
, selector: false
, template: '<div class="tooltip"><div class="tooltip-arrow"></div><div class="tooltip-inner"></div></div>'
, trigger: 'hover'
, title: ''
, delay: 0
, html: false
}
}(window.jQuery);
| SquareSquash/web/vendor/assets/javascripts/bootstrap.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/bootstrap.js",
"repo_id": "SquareSquash",
"token_count": 3744
} | 117 |
/* Flot plugin for thresholding data.
Copyright (c) 2007-2012 IOLA and Ole Laursen.
Licensed under the MIT license.
The plugin supports these options:
series: {
threshold: {
below: number
color: colorspec
}
}
It can also be applied to a single series, like this:
$.plot( $("#placeholder"), [{
data: [ ... ],
threshold: { ... }
}])
An array can be passed for multiple thresholding, like this:
threshold: [{
below: number1
color: color1
},{
below: number2
color: color2
}]
These multiple threshold objects can be passed in any order since they are
sorted by the processing function.
The data points below "below" are drawn with the specified color. This makes
it easy to mark points below 0, e.g. for budget data.
Internally, the plugin works by splitting the data into two series, above and
below the threshold. The extra series below the threshold will have its label
cleared and the special "originSeries" attribute set to the original series.
You may need to check for this in hover events.
*/
(function ($) {
var options = {
series: { threshold: null } // or { below: number, color: color spec}
};
function init(plot) {
function thresholdData(plot, s, datapoints, below, color) {
var ps = datapoints.pointsize, i, x, y, p, prevp,
thresholded = $.extend({}, s); // note: shallow copy
thresholded.datapoints = { points: [], pointsize: ps, format: datapoints.format };
thresholded.label = null;
thresholded.color = color;
thresholded.threshold = null;
thresholded.originSeries = s;
thresholded.data = [];
var origpoints = datapoints.points,
addCrossingPoints = s.lines.show;
var threspoints = [];
var newpoints = [];
var m;
for (i = 0; i < origpoints.length; i += ps) {
x = origpoints[i];
y = origpoints[i + 1];
prevp = p;
if (y < below)
p = threspoints;
else
p = newpoints;
if (addCrossingPoints && prevp != p && x != null
&& i > 0 && origpoints[i - ps] != null) {
var interx = x + (below - y) * (x - origpoints[i - ps]) / (y - origpoints[i - ps + 1]);
prevp.push(interx);
prevp.push(below);
for (m = 2; m < ps; ++m)
prevp.push(origpoints[i + m]);
p.push(null); // start new segment
p.push(null);
for (m = 2; m < ps; ++m)
p.push(origpoints[i + m]);
p.push(interx);
p.push(below);
for (m = 2; m < ps; ++m)
p.push(origpoints[i + m]);
}
p.push(x);
p.push(y);
for (m = 2; m < ps; ++m)
p.push(origpoints[i + m]);
}
datapoints.points = newpoints;
thresholded.datapoints.points = threspoints;
if (thresholded.datapoints.points.length > 0) {
var origIndex = $.inArray(s, plot.getData());
// Insert newly-generated series right after original one (to prevent it from becoming top-most)
plot.getData().splice(origIndex + 1, 0, thresholded);
}
// FIXME: there are probably some edge cases left in bars
}
function processThresholds(plot, s, datapoints) {
if (!s.threshold)
return;
if (s.threshold instanceof Array) {
s.threshold.sort(function(a, b) {
return a.below - b.below;
});
$(s.threshold).each(function(i, th) {
thresholdData(plot, s, datapoints, th.below, th.color);
});
}
else {
thresholdData(plot, s, datapoints, s.threshold.below, s.threshold.color);
}
}
plot.hooks.processDatapoints.push(processThresholds);
}
$.plot.plugins.push({
init: init,
options: options,
name: 'threshold',
version: '1.2'
});
})(jQuery);
| SquareSquash/web/vendor/assets/javascripts/flot/threshold.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/flot/threshold.js",
"repo_id": "SquareSquash",
"token_count": 2289
} | 118 |
// Git brush for SyntaxHighlighter
(function() {
// CommonJS
typeof(require) != 'undefined' ? SyntaxHighlighter = require('shCore').SyntaxHighlighter : null;
function Brush() {
this.regexList = [
{ regex: /^commit (\w+)$/gm, css: 'keyword' }
]
}
Brush.prototype = new SyntaxHighlighter.Highlighter();
Brush.aliases = ['git', 'commit'];
SyntaxHighlighter.brushes.Git = Brush;
// CommonJS
typeof(exports) != 'undefined' ? exports.Brush = Brush : null;
})();
| SquareSquash/web/vendor/assets/javascripts/sh/shBrushGit.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushGit.js",
"repo_id": "SquareSquash",
"token_count": 185
} | 119 |
/**
* 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.
*/
/**
* SyntaxHighlighter
* http://alexgorbatchev.com/SyntaxHighlighter
*
* @license
* Dual licensed under the MIT and GPL licenses.
*/
;(function()
{
// CommonJS
typeof(require) != 'undefined' ? SyntaxHighlighter = require('shCore').SyntaxHighlighter : null;
function Brush() {
// Contributed by Chad Granum
this.regexList = [
// Plan
{ regex: new RegExp('^1..\\d+', 'gm'), css: 'plain bold italic' },
// Match ok, not ok, and with test numbers
{ regex: new RegExp('^ok( \\d+)?', 'gm'), css: 'keyword' },
{ regex: new RegExp('^not ok( \\d+)?', 'gm'), css: 'color3 bold' },
// Directives
{ regex: new RegExp('(?!^\\s*)#.*$', 'gm'), css: 'variable bold' },
// Diagnostics
{ regex: new RegExp('^#.*$', 'gm'), css: 'comments bold' },
// comments
{ regex: new RegExp('^(?!(not )?ok)[^1].*$', 'gm'), css: 'comments' },
// Quoted items in messages
{ regex: SyntaxHighlighter.regexLib.doubleQuotedString, css: 'string' },
{ regex: SyntaxHighlighter.regexLib.singleQuotedString, css: 'string' },
];
}
Brush.prototype = new SyntaxHighlighter.Highlighter();
Brush.aliases = ['tap', 'Tap', 'TAP'];
SyntaxHighlighter.brushes.TAP = Brush;
// CommonJS
typeof(exports) != 'undefined' ? exports.Brush = Brush : null;
})();
| SquareSquash/web/vendor/assets/javascripts/sh/shBrushTAP.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushTAP.js",
"repo_id": "SquareSquash",
"token_count": 773
} | 120 |
# EditorConfig is awesome: https://EditorConfig.org
# top-most EditorConfig file
root = true
# Unix-style newlines with a newline ending every file
[*]
end_of_line = lf
insert_final_newline = true
# Set default charset
[*.{js,ts,scss,html}]
charset = utf-8
indent_style = space
indent_size = 2
[*.{ts}]
quote_type = single
| bitwarden/web/.editorconfig/0 | {
"file_path": "bitwarden/web/.editorconfig",
"repo_id": "bitwarden",
"token_count": 121
} | 121 |
import { Component, Input, OnInit } from "@angular/core";
import { BaseCvaComponent } from "./base-cva.component";
/** For use in the SSO Config Form only - will be deprecated by the Component Library */
@Component({
selector: "app-input-text[label][controlId]",
templateUrl: "input-text.component.html",
})
export class InputTextComponent extends BaseCvaComponent implements OnInit {
@Input() helperTextSameAsError: string;
@Input() requiredErrorMessage: string;
@Input() stripSpaces = false;
transformValue: (value: string) => string = null;
ngOnInit() {
super.ngOnInit();
if (this.stripSpaces) {
this.transformValue = this.doStripSpaces;
}
}
writeValue(value: string) {
this.internalControl.setValue(value == null ? "" : value);
}
protected onValueChangesInternal: any = (value: string) => {
let newValue = value;
if (this.transformValue != null) {
newValue = this.transformValue(value);
this.internalControl.setValue(newValue, { emitEvent: false });
}
this.onChange(newValue);
};
protected onValueChangeInternal(value: string) {
let newValue = value;
if (this.transformValue != null) {
newValue = this.transformValue(value);
this.internalControl.setValue(newValue, { emitEvent: false });
}
}
private doStripSpaces(value: string) {
return value.replace(/ /g, "");
}
}
| bitwarden/web/bitwarden_license/src/app/organizations/components/input-text.component.ts/0 | {
"file_path": "bitwarden/web/bitwarden_license/src/app/organizations/components/input-text.component.ts",
"repo_id": "bitwarden",
"token_count": 466
} | 122 |
import { Component, OnInit, ViewChild } from "@angular/core";
import { ActivatedRoute } from "@angular/router";
import { OrganizationPlansComponent } from "src/app/settings/organization-plans.component";
@Component({
selector: "app-create-organization",
templateUrl: "create-organization.component.html",
})
export class CreateOrganizationComponent implements OnInit {
@ViewChild(OrganizationPlansComponent, { static: true })
orgPlansComponent: OrganizationPlansComponent;
providerId: string;
constructor(private route: ActivatedRoute) {}
ngOnInit() {
this.route.parent.params.subscribe(async (params) => {
this.providerId = params.providerId;
});
}
}
| bitwarden/web/bitwarden_license/src/app/providers/clients/create-organization.component.ts/0 | {
"file_path": "bitwarden/web/bitwarden_license/src/app/providers/clients/create-organization.component.ts",
"repo_id": "bitwarden",
"token_count": 206
} | 123 |
import { Component } from "@angular/core";
import { ActivatedRoute } from "@angular/router";
import { ProviderService } from "jslib-common/abstractions/provider.service";
import { Provider } from "jslib-common/models/domain/provider";
@Component({
selector: "providers-layout",
templateUrl: "providers-layout.component.html",
})
export class ProvidersLayoutComponent {
provider: Provider;
private providerId: string;
constructor(private route: ActivatedRoute, private providerService: ProviderService) {}
ngOnInit() {
document.body.classList.remove("layout_frontend");
this.route.params.subscribe(async (params) => {
this.providerId = params.providerId;
await this.load();
});
}
async load() {
this.provider = await this.providerService.get(this.providerId);
}
get showMenuBar() {
return this.showManageTab || this.showSettingsTab;
}
get showManageTab() {
return this.provider.canManageUsers || this.provider.canAccessEventLogs;
}
get showSettingsTab() {
return this.provider.isProviderAdmin;
}
get manageRoute(): string {
switch (true) {
case this.provider.canManageUsers:
return "manage/people";
case this.provider.canAccessEventLogs:
return "manage/events";
}
}
}
| bitwarden/web/bitwarden_license/src/app/providers/providers-layout.component.ts/0 | {
"file_path": "bitwarden/web/bitwarden_license/src/app/providers/providers-layout.component.ts",
"repo_id": "bitwarden",
"token_count": 441
} | 124 |
{
"urls": {
"notifications": "http://localhost:61840"
},
"dev": {
"proxyApi": "http://localhost:4000",
"proxyIdentity": "http://localhost:33656",
"proxyEvents": "http://localhost:46273",
"proxyNotifications": "http://localhost:61840"
}
}
| bitwarden/web/config/development.json/0 | {
"file_path": "bitwarden/web/config/development.json",
"repo_id": "bitwarden",
"token_count": 105
} | 125 |
<div class="mt-5 d-flex justify-content-center" *ngIf="loading">
<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' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "loading" | i18n }}</span>
</p>
</div>
</div>
<div class="container" *ngIf="!loading && !authed">
<div class="row justify-content-md-center mt-5">
<div class="col-5">
<p class="lead text-center mb-4">{{ "emergencyAccess" | i18n }}</p>
<div class="card d-block">
<div class="card-body">
<p class="text-center">
{{ name }}
</p>
<p>{{ "acceptEmergencyAccess" | i18n }}</p>
<hr />
<div class="d-flex">
<a
routerLink="/login"
[queryParams]="{ email: email }"
class="btn btn-primary btn-block"
>
{{ "logIn" | i18n }}
</a>
<a
routerLink="/register"
[queryParams]="{ email: email }"
class="btn btn-primary btn-block ml-2 mt-0"
>
{{ "createAccount" | i18n }}
</a>
</div>
</div>
</div>
</div>
</div>
</div>
| bitwarden/web/src/app/accounts/accept-emergency.component.html/0 | {
"file_path": "bitwarden/web/src/app/accounts/accept-emergency.component.html",
"repo_id": "bitwarden",
"token_count": 734
} | 126 |
<div class="mt-5 d-flex justify-content-center" *ngIf="loading">
<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' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "loading" | i18n }}</span>
</p>
</div>
</div>
<div class="container" *ngIf="!loading">
<div class="row justify-content-md-center mt-5">
<div class="col-5">
<p class="lead text-center mb-4">{{ "removeMasterPassword" | i18n }}</p>
<hr />
<div class="card d-block">
<div class="card-body">
<p>{{ "convertOrganizationEncryptionDesc" | i18n: organization.name }}</p>
<button
type="button"
class="btn btn-primary btn-block"
(click)="convert()"
[disabled]="actionPromise"
>
<i
class="bwi bwi-spinner bwi-spin"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
*ngIf="continuing"
></i>
{{ "removeMasterPassword" | i18n }}
</button>
<button
type="button"
class="btn btn-outline-secondary btn-block"
(click)="leave()"
[disabled]="actionPromise"
>
<i
class="bwi bwi-spinner bwi-spin"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
*ngIf="leaving"
></i>
{{ "leaveOrganization" | i18n }}
</button>
</div>
</div>
</div>
</div>
</div>
| bitwarden/web/src/app/accounts/remove-password.component.html/0 | {
"file_path": "bitwarden/web/src/app/accounts/remove-password.component.html",
"repo_id": "bitwarden",
"token_count": 909
} | 127 |
<form #form (ngSubmit)="submit()" [appApiAction]="formPromise" class="container" ngNativeValidate>
<div class="row justify-content-md-center mt-5">
<div class="col-5">
<p class="lead text-center mb-4">{{ "deleteAccount" | i18n }}</p>
<div class="card">
<div class="card-body">
<app-callout type="warning">{{ "deleteAccountWarning" | i18n }}</app-callout>
<p class="text-center">
<strong>{{ email }}</strong>
</p>
<p>{{ "deleteRecoverConfirmDesc" | i18n }}</p>
<hr />
<div class="d-flex">
<button
type="submit"
class="btn btn-danger btn-block btn-submit"
[disabled]="form.loading"
>
<span>{{ "deleteAccount" | i18n }}</span>
<i
class="bwi bwi-spinner bwi-spin"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
</button>
<a routerLink="/login" class="btn btn-outline-secondary btn-block ml-2 mt-0">
{{ "cancel" | i18n }}
</a>
</div>
</div>
</div>
</div>
</div>
</form>
| bitwarden/web/src/app/accounts/verify-recover-delete.component.html/0 | {
"file_path": "bitwarden/web/src/app/accounts/verify-recover-delete.component.html",
"repo_id": "bitwarden",
"token_count": 657
} | 128 |
import { Component } from "@angular/core";
import { MessagingService } from "jslib-common/abstractions/messaging.service";
@Component({
selector: "app-premium-badge",
template: `
<button *appNotPremium bitBadge badgeType="success" (click)="premiumRequired()">
{{ "premium" | i18n }}
</button>
`,
})
export class PremiumBadgeComponent {
constructor(private messagingService: MessagingService) {}
premiumRequired() {
this.messagingService.send("premiumRequired");
}
}
| bitwarden/web/src/app/components/premium-badge.component.ts/0 | {
"file_path": "bitwarden/web/src/app/components/premium-badge.component.ts",
"repo_id": "bitwarden",
"token_count": 163
} | 129 |
import { Component } from "@angular/core";
import { ModalRef } from "jslib-angular/components/modal/modal.ref";
import { ModalConfig } from "jslib-angular/services/modal.service";
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 { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { SyncService } from "jslib-common/abstractions/sync.service";
import { UserVerificationService } from "jslib-common/abstractions/userVerification.service";
import { Utils } from "jslib-common/misc/utils";
import { Organization } from "jslib-common/models/domain/organization";
import { OrganizationUserResetPasswordEnrollmentRequest } from "jslib-common/models/request/organizationUserResetPasswordEnrollmentRequest";
import { Verification } from "jslib-common/types/verification";
@Component({
selector: "app-enroll-master-password-reset",
templateUrl: "enroll-master-password-reset.component.html",
})
export class EnrollMasterPasswordReset {
organization: Organization;
verification: Verification;
formPromise: Promise<any>;
constructor(
private userVerificationService: UserVerificationService,
private apiService: ApiService,
private platformUtilsService: PlatformUtilsService,
private i18nService: I18nService,
private cryptoService: CryptoService,
private syncService: SyncService,
private logService: LogService,
private modalRef: ModalRef,
config: ModalConfig
) {
this.organization = config.data.organization;
}
async submit() {
let toastStringRef = "withdrawPasswordResetSuccess";
this.formPromise = this.userVerificationService
.buildRequest(this.verification, OrganizationUserResetPasswordEnrollmentRequest)
.then(async (request) => {
// Set variables
let keyString: string = null;
// Enrolling
if (!this.organization.resetPasswordEnrolled) {
// Retrieve Public Key
const orgKeys = await this.apiService.getOrganizationKeys(this.organization.id);
if (orgKeys == null) {
throw new Error(this.i18nService.t("resetPasswordOrgKeysError"));
}
const publicKey = Utils.fromB64ToArray(orgKeys.publicKey);
// RSA Encrypt user's encKey.key with organization public key
const encKey = await this.cryptoService.getEncKey();
const encryptedKey = await this.cryptoService.rsaEncrypt(encKey.key, publicKey.buffer);
keyString = encryptedKey.encryptedString;
toastStringRef = "enrollPasswordResetSuccess";
// Create request and execute enrollment
request.resetPasswordKey = keyString;
await this.apiService.putOrganizationUserResetPasswordEnrollment(
this.organization.id,
this.organization.userId,
request
);
} else {
// Withdrawal
request.resetPasswordKey = keyString;
await this.apiService.putOrganizationUserResetPasswordEnrollment(
this.organization.id,
this.organization.userId,
request
);
}
await this.syncService.fullSync(true);
});
try {
await this.formPromise;
this.platformUtilsService.showToast("success", null, this.i18nService.t(toastStringRef));
this.modalRef.close();
} catch (e) {
this.logService.error(e);
}
}
get isEnrolled(): boolean {
return this.organization.resetPasswordEnrolled;
}
}
| bitwarden/web/src/app/modules/organizations/users/enroll-master-password-reset.component.ts/0 | {
"file_path": "bitwarden/web/src/app/modules/organizations/users/enroll-master-password-reset.component.ts",
"repo_id": "bitwarden",
"token_count": 1357
} | 130 |
import { Component } from "@angular/core";
import { StatusFilterComponent as BaseStatusFilterComponent } from "jslib-angular/modules/vault-filter/components/status-filter.component";
@Component({
selector: "app-status-filter",
templateUrl: "status-filter.component.html",
})
export class StatusFilterComponent extends BaseStatusFilterComponent {}
| bitwarden/web/src/app/modules/vault-filter/components/status-filter.component.ts/0 | {
"file_path": "bitwarden/web/src/app/modules/vault-filter/components/status-filter.component.ts",
"repo_id": "bitwarden",
"token_count": 92
} | 131 |
<div class="container page-content">
<div class="row">
<div class="col-3">
<div class="groupings">
<div class="content">
<div class="inner-content">
<app-organization-vault-filter
#vaultFilter
[activeFilter]="activeFilter"
(onFilterChange)="applyVaultFilter($event)"
(onSearchTextChanged)="filterSearchText($event)"
></app-organization-vault-filter>
</div>
</div>
</div>
</div>
<div class="col-9">
<div class="page-header d-flex">
<h1>
{{ "vaultItems" | i18n }}
<small #actionSpinner [appApiAction]="ciphersComponent.actionPromise">
<ng-container *ngIf="actionSpinner.loading">
<i
class="bwi bwi-spinner bwi-spin text-muted"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
<span class="sr-only">{{ "loading" | i18n }}</span>
</ng-container>
</small>
</h1>
<div class="ml-auto d-flex">
<app-vault-bulk-actions
[ciphersComponent]="ciphersComponent"
[deleted]="deleted"
[organization]="organization"
>
</app-vault-bulk-actions>
<button
type="button"
class="btn btn-outline-primary btn-sm ml-auto"
(click)="addCipher()"
*ngIf="!deleted"
>
<i class="bwi bwi-plus bwi-fw" aria-hidden="true"></i>{{ "addItem" | i18n }}
</button>
</div>
</div>
<app-callout type="warning" *ngIf="deleted" icon="bwi bwi-exclamation-triangle">
{{ trashCleanupWarning }}
</app-callout>
<app-org-vault-ciphers
(onCipherClicked)="editCipher($event)"
(onAttachmentsClicked)="editCipherAttachments($event)"
(onAddCipher)="addCipher()"
(onCollectionsClicked)="editCipherCollections($event)"
(onEventsClicked)="viewEvents($event)"
(onCloneClicked)="cloneCipher($event)"
>
</app-org-vault-ciphers>
</div>
</div>
</div>
<ng-template #attachments></ng-template>
<ng-template #cipherAddEdit></ng-template>
<ng-template #collections></ng-template>
<ng-template #eventsTemplate></ng-template>
| bitwarden/web/src/app/modules/vault/modules/organization-vault/organization-vault.component.html/0 | {
"file_path": "bitwarden/web/src/app/modules/vault/modules/organization-vault/organization-vault.component.html",
"repo_id": "bitwarden",
"token_count": 1199
} | 132 |
<div class="page-header d-flex">
<h1>{{ "collections" | i18n }}</h1>
<div class="ml-auto d-flex">
<div>
<label class="sr-only" for="search">{{ "search" | i18n }}</label>
<input
type="search"
class="form-control form-control-sm"
id="search"
placeholder="{{ 'search' | i18n }}"
[(ngModel)]="searchText"
/>
</div>
<button
type="button"
*ngIf="this.canCreate"
class="btn btn-sm btn-outline-primary ml-3"
(click)="add()"
>
<i class="bwi bwi-plus bwi-fw" aria-hidden="true"></i>
{{ "newCollection" | i18n }}
</button>
</div>
</div>
<ng-container *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>
</ng-container>
<ng-container
*ngIf="
!loading &&
(isPaging()
? pagedCollections
: (collections | search: searchText:'name':'id')) as searchedCollections
"
>
<p *ngIf="!searchedCollections.length">{{ "noCollectionsInList" | i18n }}</p>
<table
class="table table-hover table-list"
*ngIf="searchedCollections.length"
infiniteScroll
[infiniteScrollDistance]="1"
[infiniteScrollDisabled]="!isPaging()"
(scrolled)="loadMore()"
>
<tbody>
<tr *ngFor="let c of searchedCollections">
<td>
<a href="#" appStopClick (click)="edit(c)">{{ c.name }}</a>
</td>
<td class="table-list-options">
<div class="dropdown" appListDropdown *ngIf="this.canEdit(c) || this.canDelete(c)">
<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
*ngIf="this.canEdit(c)"
(click)="users(c)"
>
<i class="bwi bwi-fw bwi-users" aria-hidden="true"></i>
{{ "users" | i18n }}
</a>
<a
class="dropdown-item text-danger"
href="#"
appStopClick
*ngIf="this.canDelete(c)"
(click)="delete(c)"
>
<i class="bwi bwi-fw bwi-trash" aria-hidden="true"></i>
{{ "delete" | i18n }}
</a>
</div>
</div>
</td>
</tr>
</tbody>
</table>
</ng-container>
<ng-template #addEdit></ng-template>
<ng-template #usersTemplate></ng-template>
| bitwarden/web/src/app/organizations/manage/collections.component.html/0 | {
"file_path": "bitwarden/web/src/app/organizations/manage/collections.component.html",
"repo_id": "bitwarden",
"token_count": 1548
} | 133 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="policiesEditTitle">
<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="policiesEditTitle">
{{ "editPolicy" | i18n }} - {{ policy.name | i18n }}
</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<div class="modal-body">
<div class="modal-body" *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>
<div [hidden]="loading">
<p>{{ policy.description | i18n }}</p>
<ng-template #policyForm></ng-template>
</div>
</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 type="button" class="btn btn-outline-secondary" data-dismiss="modal">
{{ "cancel" | i18n }}
</button>
</div>
</form>
</div>
</div>
| bitwarden/web/src/app/organizations/manage/policy-edit.component.html/0 | {
"file_path": "bitwarden/web/src/app/organizations/manage/policy-edit.component.html",
"repo_id": "bitwarden",
"token_count": 836
} | 134 |
<div [formGroup]="data">
<div class="form-group">
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
id="enabled"
[formControl]="enabled"
name="Enabled"
/>
<label class="form-check-label" for="enabled">{{ "enabled" | i18n }}</label>
</div>
</div>
<div class="row">
<div class="col-6 form-group mb-0">
<label for="defaultType">{{ "defaultType" | i18n }}</label>
<select
id="defaultType"
name="defaultType"
formControlName="defaultType"
class="form-control"
>
<option *ngFor="let o of defaultTypes" [ngValue]="o.value">{{ o.name }}</option>
</select>
</div>
</div>
<h3 class="mt-4">{{ "password" | i18n }}</h3>
<div class="row">
<div class="col-6 form-group">
<label for="minLength">{{ "minLength" | i18n }}</label>
<input
id="minLength"
class="form-control"
type="number"
name="minLength"
min="5"
max="128"
formControlName="minLength"
/>
</div>
</div>
<div class="row">
<div class="col-6 form-group">
<label for="minNumbers">{{ "minNumbers" | i18n }}</label>
<input
id="minNumbers"
class="form-control"
type="number"
name="minNumbers"
min="0"
max="9"
formControlName="minNumbers"
/>
</div>
<div class="col-6 form-group">
<label for="minSpecial">{{ "minSpecial" | i18n }}</label>
<input
id="minSpecial"
class="form-control"
type="number"
name="minSpecial"
min="0"
max="9"
formControlName="minSpecial"
/>
</div>
</div>
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
id="useUpper"
formControlName="useUpper"
name="useUpper"
/>
<label class="form-check-label" for="useUpper">A-Z</label>
</div>
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
id="useLower"
name="useLower"
formControlName="useLower"
/>
<label class="form-check-label" for="useLower">a-z</label>
</div>
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
id="useNumbers"
name="useNumbers"
formControlName="useNumbers"
/>
<label class="form-check-label" for="useNumbers">0-9</label>
</div>
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
id="useSpecial"
name="useSpecial"
formControlName="useSpecial"
/>
<label class="form-check-label" for="useSpecial">!@#$%^&*</label>
</div>
<h3 class="mt-4">{{ "passphrase" | i18n }}</h3>
<div class="row">
<div class="col-6 form-group">
<label for="minNumberWords">{{ "minimumNumberOfWords" | i18n }}</label>
<input
id="minNumberWords"
class="form-control"
type="number"
name="minNumberWords"
min="3"
max="20"
formControlName="minNumberWords"
/>
</div>
</div>
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
id="capitalize"
name="capitalize"
formControlName="capitalize"
/>
<label class="form-check-label" for="capitalize">{{ "capitalize" | i18n }}</label>
</div>
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
id="includeNumber"
name="includeNumber"
formControlName="includeNumber"
/>
<label class="form-check-label" for="includeNumber">{{ "includeNumber" | i18n }}</label>
</div>
</div>
| bitwarden/web/src/app/organizations/policies/password-generator.component.html/0 | {
"file_path": "bitwarden/web/src/app/organizations/policies/password-generator.component.html",
"repo_id": "bitwarden",
"token_count": 1744
} | 135 |
import { Component, ViewChild, ViewContainerRef } from "@angular/core";
import { ActivatedRoute, Router } from "@angular/router";
import { ModalService } from "jslib-angular/services/modal.service";
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 { SyncService } from "jslib-common/abstractions/sync.service";
import { OrganizationKeysRequest } from "jslib-common/models/request/organizationKeysRequest";
import { OrganizationUpdateRequest } from "jslib-common/models/request/organizationUpdateRequest";
import { OrganizationResponse } from "jslib-common/models/response/organizationResponse";
import { ApiKeyComponent } from "../../settings/api-key.component";
import { PurgeVaultComponent } from "../../settings/purge-vault.component";
import { TaxInfoComponent } from "../../settings/tax-info.component";
import { DeleteOrganizationComponent } from "./delete-organization.component";
@Component({
selector: "app-org-account",
templateUrl: "account.component.html",
})
export class AccountComponent {
@ViewChild("deleteOrganizationTemplate", { read: ViewContainerRef, static: true })
deleteModalRef: ViewContainerRef;
@ViewChild("purgeOrganizationTemplate", { read: ViewContainerRef, static: true })
purgeModalRef: ViewContainerRef;
@ViewChild("apiKeyTemplate", { read: ViewContainerRef, static: true })
apiKeyModalRef: ViewContainerRef;
@ViewChild("rotateApiKeyTemplate", { read: ViewContainerRef, static: true })
rotateApiKeyModalRef: ViewContainerRef;
@ViewChild(TaxInfoComponent) taxInfo: TaxInfoComponent;
selfHosted = false;
canManageBilling = true;
loading = true;
canUseApi = false;
org: OrganizationResponse;
formPromise: Promise<any>;
taxFormPromise: Promise<any>;
private organizationId: string;
constructor(
private modalService: ModalService,
private apiService: ApiService,
private i18nService: I18nService,
private route: ActivatedRoute,
private syncService: SyncService,
private platformUtilsService: PlatformUtilsService,
private cryptoService: CryptoService,
private logService: LogService,
private router: Router,
private organizationService: OrganizationService
) {}
async ngOnInit() {
this.selfHosted = this.platformUtilsService.isSelfHost();
this.route.parent.parent.params.subscribe(async (params) => {
this.organizationId = params.organizationId;
this.canManageBilling = (
await this.organizationService.get(this.organizationId)
).canManageBilling;
try {
this.org = await this.apiService.getOrganization(this.organizationId);
this.canUseApi = this.org.useApi;
} catch (e) {
this.logService.error(e);
}
});
this.loading = false;
}
async submit() {
try {
const request = new OrganizationUpdateRequest();
request.name = this.org.name;
request.businessName = this.org.businessName;
request.billingEmail = this.org.billingEmail;
request.identifier = this.org.identifier;
// Backfill pub/priv key if necessary
if (!this.org.hasPublicAndPrivateKeys) {
const orgShareKey = await this.cryptoService.getOrgKey(this.organizationId);
const orgKeys = await this.cryptoService.makeKeyPair(orgShareKey);
request.keys = new OrganizationKeysRequest(orgKeys[0], orgKeys[1].encryptedString);
}
this.formPromise = this.apiService.putOrganization(this.organizationId, request).then(() => {
return this.syncService.fullSync(true);
});
await this.formPromise;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("organizationUpdated")
);
} catch (e) {
this.logService.error(e);
}
}
async submitTaxInfo() {
this.taxFormPromise = this.taxInfo.submitTaxInfo();
await this.taxFormPromise;
this.platformUtilsService.showToast("success", null, this.i18nService.t("taxInfoUpdated"));
}
async deleteOrganization() {
await this.modalService.openViewRef(
DeleteOrganizationComponent,
this.deleteModalRef,
(comp) => {
comp.organizationId = this.organizationId;
comp.onSuccess.subscribe(() => {
this.router.navigate(["/"]);
});
}
);
}
async purgeVault() {
await this.modalService.openViewRef(PurgeVaultComponent, this.purgeModalRef, (comp) => {
comp.organizationId = this.organizationId;
});
}
async viewApiKey() {
await this.modalService.openViewRef(ApiKeyComponent, this.apiKeyModalRef, (comp) => {
comp.keyType = "organization";
comp.entityId = this.organizationId;
comp.postKey = this.apiService.postOrganizationApiKey.bind(this.apiService);
comp.scope = "api.organization";
comp.grantType = "client_credentials";
comp.apiKeyTitle = "apiKey";
comp.apiKeyWarning = "apiKeyWarning";
comp.apiKeyDescription = "apiKeyDesc";
});
}
async rotateApiKey() {
await this.modalService.openViewRef(ApiKeyComponent, this.rotateApiKeyModalRef, (comp) => {
comp.keyType = "organization";
comp.isRotation = true;
comp.entityId = this.organizationId;
comp.postKey = this.apiService.postOrganizationRotateApiKey.bind(this.apiService);
comp.scope = "api.organization";
comp.grantType = "client_credentials";
comp.apiKeyTitle = "apiKey";
comp.apiKeyWarning = "apiKeyWarning";
comp.apiKeyDescription = "apiKeyRotateDesc";
});
}
}
| bitwarden/web/src/app/organizations/settings/account.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/settings/account.component.ts",
"repo_id": "bitwarden",
"token_count": 2100
} | 136 |
import { Component, OnInit, ViewChild, ViewContainerRef } from "@angular/core";
import { ActivatedRoute } from "@angular/router";
import { ModalRef } from "jslib-angular/components/modal/modal.ref";
import { ModalService } from "jslib-angular/services/modal.service";
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 { MessagingService } from "jslib-common/abstractions/messaging.service";
import { OrganizationService } from "jslib-common/abstractions/organization.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { OrganizationApiKeyType } from "jslib-common/enums/organizationApiKeyType";
import { OrganizationConnectionType } from "jslib-common/enums/organizationConnectionType";
import { PlanType } from "jslib-common/enums/planType";
import { BillingSyncConfigApi } from "jslib-common/models/api/billingSyncConfigApi";
import { Organization } from "jslib-common/models/domain/organization";
import { OrganizationConnectionResponse } from "jslib-common/models/response/organizationConnectionResponse";
import { OrganizationSubscriptionResponse } from "jslib-common/models/response/organizationSubscriptionResponse";
import { BillingSyncKeyComponent } from "src/app/settings/billing-sync-key.component";
import { BillingSyncApiKeyComponent } from "./billing-sync-api-key.component";
@Component({
selector: "app-org-subscription",
templateUrl: "organization-subscription.component.html",
})
export class OrganizationSubscriptionComponent implements OnInit {
@ViewChild("setupBillingSyncTemplate", { read: ViewContainerRef, static: true })
setupBillingSyncModalRef: ViewContainerRef;
loading = false;
firstLoaded = false;
organizationId: string;
adjustSeatsAdd = true;
showAdjustSeats = false;
showAdjustSeatAutoscale = false;
adjustStorageAdd = true;
showAdjustStorage = false;
showUpdateLicense = false;
showBillingSyncKey = false;
showDownloadLicense = false;
showChangePlan = false;
sub: OrganizationSubscriptionResponse;
selfHosted = false;
hasBillingSyncToken: boolean;
userOrg: Organization;
existingBillingSyncConnection: OrganizationConnectionResponse<BillingSyncConfigApi>;
removeSponsorshipPromise: Promise<any>;
cancelPromise: Promise<any>;
reinstatePromise: Promise<any>;
@ViewChild("rotateBillingSyncKeyTemplate", { read: ViewContainerRef, static: true })
billingSyncKeyViewContainerRef: ViewContainerRef;
billingSyncKeyRef: [ModalRef, BillingSyncKeyComponent];
constructor(
private apiService: ApiService,
private platformUtilsService: PlatformUtilsService,
private i18nService: I18nService,
private messagingService: MessagingService,
private route: ActivatedRoute,
private organizationService: OrganizationService,
private logService: LogService,
private modalService: ModalService
) {
this.selfHosted = platformUtilsService.isSelfHost();
}
async ngOnInit() {
this.route.parent.parent.params.subscribe(async (params) => {
this.organizationId = params.organizationId;
await this.load();
this.firstLoaded = true;
});
}
async load() {
if (this.loading) {
return;
}
this.loading = true;
this.userOrg = await this.organizationService.get(this.organizationId);
if (this.userOrg.canManageBilling) {
this.sub = await this.apiService.getOrganizationSubscription(this.organizationId);
}
const apiKeyResponse = await this.apiService.getOrganizationApiKeyInformation(
this.organizationId
);
this.hasBillingSyncToken = apiKeyResponse.data.some(
(i) => i.keyType === OrganizationApiKeyType.BillingSync
);
if (this.selfHosted) {
this.showBillingSyncKey = await this.apiService.getCloudCommunicationsEnabled();
}
if (this.showBillingSyncKey) {
this.existingBillingSyncConnection = await this.apiService.getOrganizationConnection(
this.organizationId,
OrganizationConnectionType.CloudBillingSync,
BillingSyncConfigApi
);
}
this.loading = false;
}
async reinstate() {
if (this.loading) {
return;
}
const confirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("reinstateConfirmation"),
this.i18nService.t("reinstateSubscription"),
this.i18nService.t("yes"),
this.i18nService.t("cancel")
);
if (!confirmed) {
return;
}
try {
this.reinstatePromise = this.apiService.postOrganizationReinstate(this.organizationId);
await this.reinstatePromise;
this.platformUtilsService.showToast("success", null, this.i18nService.t("reinstated"));
this.load();
} catch (e) {
this.logService.error(e);
}
}
async cancel() {
if (this.loading) {
return;
}
const confirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("cancelConfirmation"),
this.i18nService.t("cancelSubscription"),
this.i18nService.t("yes"),
this.i18nService.t("no"),
"warning"
);
if (!confirmed) {
return;
}
try {
this.cancelPromise = this.apiService.postOrganizationCancel(this.organizationId);
await this.cancelPromise;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("canceledSubscription")
);
this.load();
} catch (e) {
this.logService.error(e);
}
}
async changePlan() {
this.showChangePlan = !this.showChangePlan;
}
closeChangePlan(changed: boolean) {
this.showChangePlan = false;
}
downloadLicense() {
this.showDownloadLicense = !this.showDownloadLicense;
}
async manageBillingSync() {
const [ref] = await this.modalService.openViewRef(
BillingSyncApiKeyComponent,
this.setupBillingSyncModalRef,
(comp) => {
comp.organizationId = this.organizationId;
comp.hasBillingToken = this.hasBillingSyncToken;
}
);
ref.onClosed.subscribe(async () => {
await this.load();
});
}
closeDownloadLicense() {
this.showDownloadLicense = false;
}
updateLicense() {
if (this.loading) {
return;
}
this.showUpdateLicense = true;
}
closeUpdateLicense(updated: boolean) {
this.showUpdateLicense = false;
if (updated) {
this.load();
this.messagingService.send("updatedOrgLicense");
}
}
subscriptionAdjusted() {
this.load();
}
adjustStorage(add: boolean) {
this.adjustStorageAdd = add;
this.showAdjustStorage = true;
}
closeStorage(load: boolean) {
this.showAdjustStorage = false;
if (load) {
this.load();
}
}
async removeSponsorship() {
const isConfirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("removeSponsorshipConfirmation"),
this.i18nService.t("removeSponsorship"),
this.i18nService.t("remove"),
this.i18nService.t("cancel"),
"warning"
);
if (!isConfirmed) {
return;
}
try {
this.removeSponsorshipPromise = this.apiService.deleteRemoveSponsorship(this.organizationId);
await this.removeSponsorshipPromise;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("removeSponsorshipSuccess")
);
await this.load();
} catch (e) {
this.logService.error(e);
}
}
async manageBillingSyncSelfHosted() {
this.billingSyncKeyRef = await this.modalService.openViewRef(
BillingSyncKeyComponent,
this.billingSyncKeyViewContainerRef,
(comp) => {
comp.entityId = this.organizationId;
comp.existingConnectionId = this.existingBillingSyncConnection?.id;
comp.billingSyncKey = this.existingBillingSyncConnection?.config?.billingSyncKey;
comp.setParentConnection = (
connection: OrganizationConnectionResponse<BillingSyncConfigApi>
) => {
this.existingBillingSyncConnection = connection;
this.billingSyncKeyRef[0].close();
};
}
);
}
get isExpired() {
return (
this.sub != null && this.sub.expiration != null && new Date(this.sub.expiration) < new Date()
);
}
get subscriptionMarkedForCancel() {
return (
this.subscription != null && !this.subscription.cancelled && this.subscription.cancelAtEndDate
);
}
get subscription() {
return this.sub != null ? this.sub.subscription : null;
}
get nextInvoice() {
return this.sub != null ? this.sub.upcomingInvoice : null;
}
get storagePercentage() {
return this.sub != null && this.sub.maxStorageGb
? +(100 * (this.sub.storageGb / this.sub.maxStorageGb)).toFixed(2)
: 0;
}
get storageProgressWidth() {
return this.storagePercentage < 5 ? 5 : 0;
}
get billingInterval() {
const monthly = !this.sub.plan.isAnnual;
return monthly ? "month" : "year";
}
get storageGbPrice() {
return this.sub.plan.additionalStoragePricePerGb;
}
get seatPrice() {
return this.sub.plan.seatPrice;
}
get seats() {
return this.sub.seats;
}
get maxAutoscaleSeats() {
return this.sub.maxAutoscaleSeats;
}
get canAdjustSeats() {
return this.sub.plan.hasAdditionalSeatsOption;
}
get isSponsoredSubscription(): boolean {
return this.sub.subscription?.items.some((i) => i.sponsoredSubscriptionItem);
}
get canDownloadLicense() {
return (
(this.sub.planType !== PlanType.Free && this.subscription == null) ||
(this.subscription != null && !this.subscription.cancelled)
);
}
get canManageBillingSync() {
return (
!this.selfHosted &&
(this.sub.planType === PlanType.EnterpriseAnnually ||
this.sub.planType === PlanType.EnterpriseMonthly ||
this.sub.planType === PlanType.EnterpriseAnnually2019 ||
this.sub.planType === PlanType.EnterpriseMonthly2019)
);
}
get subscriptionDesc() {
if (this.sub.planType === PlanType.Free) {
return this.i18nService.t("subscriptionFreePlan", this.sub.seats.toString());
} else if (
this.sub.planType === PlanType.FamiliesAnnually ||
this.sub.planType === PlanType.FamiliesAnnually2019
) {
if (this.isSponsoredSubscription) {
return this.i18nService.t("subscriptionSponsoredFamiliesPlan", this.sub.seats.toString());
} else {
return this.i18nService.t("subscriptionFamiliesPlan", this.sub.seats.toString());
}
} else if (this.sub.maxAutoscaleSeats === this.sub.seats && this.sub.seats != null) {
return this.i18nService.t("subscriptionMaxReached", this.sub.seats.toString());
} else if (this.sub.maxAutoscaleSeats == null) {
return this.i18nService.t("subscriptionUserSeatsUnlimitedAutoscale");
} else {
return this.i18nService.t(
"subscriptionUserSeatsLimitedAutoscale",
this.sub.maxAutoscaleSeats.toString()
);
}
}
get showChangePlanButton() {
return this.subscription == null && this.sub.planType === PlanType.Free && !this.showChangePlan;
}
get billingSyncSetUp() {
return this.existingBillingSyncConnection?.id != null;
}
}
| bitwarden/web/src/app/organizations/settings/organization-subscription.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/settings/organization-subscription.component.ts",
"repo_id": "bitwarden",
"token_count": 4188
} | 137 |
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 { PasswordGenerationService } from "jslib-common/abstractions/passwordGeneration.service";
import { PasswordRepromptService } from "jslib-common/abstractions/passwordReprompt.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { Cipher } from "jslib-common/models/domain/cipher";
import { CipherView } from "jslib-common/models/view/cipherView";
import { WeakPasswordsReportComponent as BaseWeakPasswordsReportComponent } from "../../reports/weak-passwords-report.component";
@Component({
selector: "app-weak-passwords-report",
templateUrl: "../../reports/weak-passwords-report.component.html",
})
export class WeakPasswordsReportComponent extends BaseWeakPasswordsReportComponent {
manageableCiphers: Cipher[];
constructor(
cipherService: CipherService,
passwordGenerationService: PasswordGenerationService,
modalService: ModalService,
messagingService: MessagingService,
stateService: StateService,
private route: ActivatedRoute,
private organizationService: OrganizationService,
passwordRepromptService: PasswordRepromptService
) {
super(
cipherService,
passwordGenerationService,
modalService,
messagingService,
stateService,
passwordRepromptService
);
}
async ngOnInit() {
this.route.parent.parent.params.subscribe(async (params) => {
this.organization = await this.organizationService.get(params.organizationId);
this.manageableCiphers = await this.cipherService.getAll();
await super.ngOnInit();
});
}
getAllCiphers(): Promise<CipherView[]> {
return this.cipherService.getAllFromApiForOrganization(this.organization.id);
}
canManageCipher(c: CipherView): boolean {
return this.manageableCiphers.some((x) => x.id === c.id);
}
}
| bitwarden/web/src/app/organizations/tools/weak-passwords-report.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/tools/weak-passwords-report.component.ts",
"repo_id": "bitwarden",
"token_count": 703
} | 138 |
import { Component, OnInit } from "@angular/core";
import { ModalService } from "jslib-angular/services/modal.service";
import { CipherService } from "jslib-common/abstractions/cipher.service";
import { LogService } from "jslib-common/abstractions/log.service";
import { MessagingService } from "jslib-common/abstractions/messaging.service";
import { PasswordRepromptService } from "jslib-common/abstractions/passwordReprompt.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { CipherType } from "jslib-common/enums/cipherType";
import { Utils } from "jslib-common/misc/utils";
import { CipherView } from "jslib-common/models/view/cipherView";
import { CipherReportComponent } from "./cipher-report.component";
@Component({
selector: "app-inactive-two-factor-report",
templateUrl: "inactive-two-factor-report.component.html",
})
export class InactiveTwoFactorReportComponent extends CipherReportComponent implements OnInit {
services = new Map<string, string>();
cipherDocs = new Map<string, string>();
constructor(
protected cipherService: CipherService,
modalService: ModalService,
messagingService: MessagingService,
stateService: StateService,
private logService: LogService,
passwordRepromptService: PasswordRepromptService
) {
super(modalService, messagingService, true, stateService, passwordRepromptService);
}
async ngOnInit() {
if (await this.checkAccess()) {
await super.load();
}
}
async setCiphers() {
try {
await this.load2fa();
} catch (e) {
this.logService.error(e);
}
if (this.services.size > 0) {
const allCiphers = await this.getAllCiphers();
const inactive2faCiphers: CipherView[] = [];
const promises: Promise<void>[] = [];
const docs = new Map<string, string>();
allCiphers.forEach((c) => {
if (
c.type !== CipherType.Login ||
(c.login.totp != null && c.login.totp !== "") ||
!c.login.hasUris ||
c.isDeleted
) {
return;
}
for (let i = 0; i < c.login.uris.length; i++) {
const u = c.login.uris[i];
if (u.uri != null && u.uri !== "") {
const uri = u.uri.replace("www.", "");
const domain = Utils.getDomain(uri);
if (domain != null && this.services.has(domain)) {
if (this.services.get(domain) != null) {
docs.set(c.id, this.services.get(domain));
}
inactive2faCiphers.push(c);
}
}
}
});
await Promise.all(promises);
this.ciphers = inactive2faCiphers;
this.cipherDocs = docs;
}
}
protected getAllCiphers(): Promise<CipherView[]> {
return this.cipherService.getAllDecrypted();
}
private async load2fa() {
if (this.services.size > 0) {
return;
}
const response = await fetch(new Request("https://2fa.directory/api/v3/totp.json"));
if (response.status !== 200) {
throw new Error();
}
const responseJson = await response.json();
for (const service of responseJson) {
const serviceData = service[1];
if (serviceData.domain == null) {
continue;
}
if (serviceData.documentation == null) {
continue;
}
if (serviceData["additional-domains"] != null) {
for (const additionalDomain of serviceData["additional-domains"]) {
this.services.set(additionalDomain, serviceData.documentation);
}
}
this.services.set(serviceData.domain, serviceData.documentation);
}
}
}
| bitwarden/web/src/app/reports/inactive-two-factor-report.component.ts/0 | {
"file_path": "bitwarden/web/src/app/reports/inactive-two-factor-report.component.ts",
"repo_id": "bitwarden",
"token_count": 1466
} | 139 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="sendAddEditTitle">
<div class="modal-dialog modal-dialog-scrollable modal-lg" role="document">
<form
class="modal-content"
#form
(ngSubmit)="submit()"
[appApiAction]="formPromise"
ngNativeValidate
autocomplete="off"
>
<div class="modal-header">
<h2 class="modal-title" id="sendAddEditTitle">{{ title }}</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<div class="modal-body" *ngIf="send">
<app-callout *ngIf="disableSend">
<span>{{ "sendDisabledWarning" | i18n }}</span>
</app-callout>
<app-callout *ngIf="!disableSend && disableHideEmail">
<span>{{ "sendOptionsPolicyInEffect" | i18n }}</span>
<ul class="mb-0">
<li>{{ "sendDisableHideEmailInEffect" | i18n }}</li>
</ul>
</app-callout>
<div class="row">
<div class="col-6 form-group">
<label for="name">{{ "name" | i18n }}</label>
<input
id="name"
class="form-control"
type="text"
name="Name"
[(ngModel)]="send.name"
required
[readOnly]="disableSend"
/>
<small class="form-text text-muted">{{ "sendNameDesc" | i18n }}</small>
</div>
</div>
<div class="row" *ngIf="!editMode">
<div class="col-6 form-group">
<label>{{ "whatTypeOfSend" | i18n }}</label>
<div class="form-check" *ngFor="let o of typeOptions">
<input
class="form-check-input"
type="radio"
[(ngModel)]="send.type"
name="Type_{{ o.value }}"
id="type_{{ o.value }}"
[value]="o.value"
(change)="typeChanged(o)"
[checked]="send.type === o.value"
/>
<label class="form-check-label" for="type_{{ o.value }}">
{{ o.name }}
</label>
</div>
</div>
</div>
<!-- Text -->
<ng-container *ngIf="send.type === sendType.Text">
<div class="form-group">
<label for="text">{{ "sendTypeText" | i18n }}</label>
<textarea
id="text"
name="Text.Text"
rows="6"
[(ngModel)]="send.text.text"
class="form-control"
[readOnly]="disableSend"
></textarea>
<small class="form-text text-muted">{{ "sendTextDesc" | i18n }}</small>
</div>
<div class="form-group">
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
[(ngModel)]="send.text.hidden"
id="text-hidden"
name="Text.Hidden"
[disabled]="disableSend"
/>
<label class="form-check-label" for="text-hidden">{{
"textHiddenByDefault" | i18n
}}</label>
</div>
</div>
</ng-container>
<!-- File -->
<ng-container *ngIf="send.type === sendType.File">
<div class="form-group">
<div *ngIf="editMode">
<strong class="d-block">{{ "file" | i18n }}</strong>
{{ send.file.fileName }} ({{ send.file.sizeName }})
</div>
<div *ngIf="!editMode">
<label for="file">{{ "file" | i18n }}</label>
<input
type="file"
id="file"
class="form-control-file"
name="file"
required
[disabled]="disableSend"
/>
<small class="form-text text-muted"
>{{ "sendFileDesc" | i18n }} {{ "maxFileSize" | i18n }}</small
>
</div>
</div>
</ng-container>
<h3 class="mt-5">{{ "share" | i18n }}</h3>
<div class="form-group" *ngIf="link">
<label for="link">{{ "sendLinkLabel" | i18n }}</label>
<input
type="text"
readonly
id="link"
name="Link"
[(ngModel)]="link"
class="form-control"
/>
</div>
<div class="form-group">
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
[(ngModel)]="copyLink"
id="copy-link"
name="CopyLink"
/>
<label class="form-check-label" for="copy-link">{{
"copySendLinkOnSave" | i18n
}}</label>
</div>
</div>
<div
id="options-header"
class="section-header d-flex flex-row align-items-center mt-5"
(click)="toggleOptions()"
>
<h3 class="mb-0 mr-2">{{ "options" | i18n }}</h3>
<a class="mb-1" href="#" appStopClick role="button">
<i
class="bwi"
aria-hidden="true"
[ngClass]="{ 'bwi-angle-down': !showOptions, 'bwi-chevron-up': showOptions }"
></i>
</a>
</div>
<div id="options" [hidden]="!showOptions">
<app-send-efflux-dates
[initialDeletionDate]="send.deletionDate"
[initialExpirationDate]="send.expirationDate"
[editMode]="editMode"
[disabled]="disableSend"
(datesChanged)="setDates($event)"
>
</app-send-efflux-dates>
<div class="row">
<div class="col-6 form-group">
<label for="maxAccessCount">{{ "maxAccessCount" | i18n }}</label>
<input
id="maxAccessCount"
class="form-control"
type="number"
name="MaxAccessCount"
[(ngModel)]="send.maxAccessCount"
min="1"
[readOnly]="disableSend"
/>
<div class="form-text text-muted small">{{ "maxAccessCountDesc" | i18n }}</div>
</div>
<div class="col-6 form-group" *ngIf="editMode">
<label for="accessCount">{{ "currentAccessCount" | i18n }}</label>
<input
id="accessCount"
class="form-control"
type="text"
name="AccessCount"
readonly
[(ngModel)]="send.accessCount"
/>
</div>
</div>
<div class="row">
<div class="col-6 form-group">
<label for="password" *ngIf="!hasPassword">{{ "password" | i18n }}</label>
<label for="password" *ngIf="hasPassword">{{ "newPassword" | i18n }}</label>
<div class="input-group">
<input
id="password"
class="form-control text-monospace"
type="{{ showPassword ? 'text' : 'password' }}"
name="Password"
[(ngModel)]="password"
[readOnly]="disableSend"
/>
<div class="input-group-append">
<button
type="button"
class="btn btn-outline-secondary"
appA11yTitle="{{ 'toggleVisibility' | i18n }}"
(click)="togglePasswordVisible()"
>
<i
class="bwi bwi-lg"
aria-hidden="true"
[ngClass]="{ 'bwi-eye': !showPassword, 'bwi-eye-slash': showPassword }"
></i>
</button>
</div>
</div>
<div class="form-text text-muted small">{{ "sendPasswordDesc" | i18n }}</div>
</div>
</div>
<div class="form-group">
<label for="notes">{{ "notes" | i18n }}</label>
<textarea
id="notes"
name="Notes"
rows="6"
[(ngModel)]="send.notes"
class="form-control"
[readOnly]="disableSend"
></textarea>
<div class="form-text text-muted small">{{ "sendNotesDesc" | i18n }}</div>
</div>
<div class="form-group">
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
[(ngModel)]="send.hideEmail"
id="hideEmail"
name="HideEmail"
[disabled]="(disableHideEmail && !send.hideEmail) || disableSend"
/>
<label class="form-check-label" for="hideEmail">
{{ "hideEmail" | i18n }}
</label>
</div>
</div>
<div class="form-group">
<div class="form-check">
<input
class="form-check-input"
type="checkbox"
[(ngModel)]="send.disabled"
id="disabled"
name="Disabled"
[disabled]="disableSend"
/>
<label class="form-check-label" for="disabled">{{ "disableThisSend" | i18n }}</label>
</div>
</div>
</div>
</div>
<div class="modal-footer">
<button
type="submit"
class="btn btn-primary btn-submit manual"
[ngClass]="{ loading: form.loading }"
[disabled]="form.loading || disableSend"
>
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ "save" | i18n }}</span>
</button>
<button type="button" class="btn btn-outline-secondary" data-dismiss="modal">
{{ "cancel" | i18n }}
</button>
<div class="ml-auto" *ngIf="send">
<button
#deleteBtn
type="button"
(click)="delete()"
class="btn btn-outline-danger"
appA11yTitle="{{ 'delete' | i18n }}"
*ngIf="editMode"
[disabled]="deleteBtn.loading"
[appApiAction]="deletePromise"
>
<i
class="bwi bwi-trash bwi-lg bwi-fw"
[hidden]="deleteBtn.loading"
aria-hidden="true"
></i>
<i
class="bwi bwi-spinner bwi-spin bwi-lg bwi-fw"
[hidden]="!deleteBtn.loading"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
></i>
</button>
</div>
</div>
</form>
</div>
</div>
| bitwarden/web/src/app/send/add-edit.component.html/0 | {
"file_path": "bitwarden/web/src/app/send/add-edit.component.html",
"repo_id": "bitwarden",
"token_count": 6333
} | 140 |
<form #form class="card" (ngSubmit)="submit()" [appApiAction]="formPromise" ngNativeValidate>
<div class="card-body">
<button type="button" class="close" appA11yTitle="{{ 'cancel' | i18n }}" (click)="cancel()">
<span aria-hidden="true">×</span>
</button>
<h3 class="card-body-header">
{{ (currentType != null ? "changePaymentMethod" : "addPaymentMethod") | i18n }}
</h3>
<app-payment [hideBank]="!organizationId" [hideCredit]="true"></app-payment>
<app-tax-info (onCountryChanged)="changeCountry()"></app-tax-info>
<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>{{ "submit" | i18n }}</span>
</button>
<button type="button" class="btn btn-outline-secondary" (click)="cancel()">
{{ "cancel" | i18n }}
</button>
</div>
</form>
| bitwarden/web/src/app/settings/adjust-payment.component.html/0 | {
"file_path": "bitwarden/web/src/app/settings/adjust-payment.component.html",
"repo_id": "bitwarden",
"token_count": 381
} | 141 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="deAuthTitle">
<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="deAuthTitle">{{ "deauthorizeSessions" | i18n }}</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<div class="modal-body">
<p>{{ "deauthorizeSessionsDesc" | i18n }}</p>
<app-callout type="warning">{{ "deauthorizeSessionsWarning" | i18n }}</app-callout>
<app-user-verification [(ngModel)]="masterPassword" ngDefaultControl name="secret">
</app-user-verification>
</div>
<div class="modal-footer">
<button 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>{{ "deauthorizeSessions" | i18n }}</span>
</button>
<button type="button" class="btn btn-outline-secondary" data-dismiss="modal">
{{ "close" | i18n }}
</button>
</div>
</form>
</div>
</div>
| bitwarden/web/src/app/settings/deauthorize-sessions.component.html/0 | {
"file_path": "bitwarden/web/src/app/settings/deauthorize-sessions.component.html",
"repo_id": "bitwarden",
"token_count": 684
} | 142 |
import { Component, OnInit, ViewChild, ViewContainerRef } from "@angular/core";
import { UserNamePipe } from "jslib-angular/pipes/user-name.pipe";
import { ModalService } from "jslib-angular/services/modal.service";
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 { MessagingService } from "jslib-common/abstractions/messaging.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 { EmergencyAccessStatusType } from "jslib-common/enums/emergencyAccessStatusType";
import { EmergencyAccessType } from "jslib-common/enums/emergencyAccessType";
import { Utils } from "jslib-common/misc/utils";
import { EmergencyAccessConfirmRequest } from "jslib-common/models/request/emergencyAccessConfirmRequest";
import {
EmergencyAccessGranteeDetailsResponse,
EmergencyAccessGrantorDetailsResponse,
} from "jslib-common/models/response/emergencyAccessResponse";
import { EmergencyAccessAddEditComponent } from "./emergency-access-add-edit.component";
import { EmergencyAccessConfirmComponent } from "./emergency-access-confirm.component";
import { EmergencyAccessTakeoverComponent } from "./emergency-access-takeover.component";
@Component({
selector: "emergency-access",
templateUrl: "emergency-access.component.html",
})
export class EmergencyAccessComponent implements OnInit {
@ViewChild("addEdit", { read: ViewContainerRef, static: true }) addEditModalRef: ViewContainerRef;
@ViewChild("takeoverTemplate", { read: ViewContainerRef, static: true })
takeoverModalRef: ViewContainerRef;
@ViewChild("confirmTemplate", { read: ViewContainerRef, static: true })
confirmModalRef: ViewContainerRef;
canAccessPremium: boolean;
trustedContacts: EmergencyAccessGranteeDetailsResponse[];
grantedContacts: EmergencyAccessGrantorDetailsResponse[];
emergencyAccessType = EmergencyAccessType;
emergencyAccessStatusType = EmergencyAccessStatusType;
actionPromise: Promise<any>;
isOrganizationOwner: boolean;
constructor(
private apiService: ApiService,
private i18nService: I18nService,
private modalService: ModalService,
private platformUtilsService: PlatformUtilsService,
private cryptoService: CryptoService,
private messagingService: MessagingService,
private userNamePipe: UserNamePipe,
private logService: LogService,
private stateService: StateService,
private organizationService: OrganizationService
) {}
async ngOnInit() {
this.canAccessPremium = await this.stateService.getCanAccessPremium();
const orgs = await this.organizationService.getAll();
this.isOrganizationOwner = orgs.some((o) => o.isOwner);
this.load();
}
async load() {
this.trustedContacts = (await this.apiService.getEmergencyAccessTrusted()).data;
this.grantedContacts = (await this.apiService.getEmergencyAccessGranted()).data;
}
async premiumRequired() {
if (!this.canAccessPremium) {
this.messagingService.send("premiumRequired");
return;
}
}
async edit(details: EmergencyAccessGranteeDetailsResponse) {
const [modal] = await this.modalService.openViewRef(
EmergencyAccessAddEditComponent,
this.addEditModalRef,
(comp) => {
comp.name = this.userNamePipe.transform(details);
comp.emergencyAccessId = details?.id;
comp.readOnly = !this.canAccessPremium;
comp.onSaved.subscribe(() => {
modal.close();
this.load();
});
comp.onDeleted.subscribe(() => {
modal.close();
this.remove(details);
});
}
);
}
invite() {
this.edit(null);
}
async reinvite(contact: EmergencyAccessGranteeDetailsResponse) {
if (this.actionPromise != null) {
return;
}
this.actionPromise = this.apiService.postEmergencyAccessReinvite(contact.id);
await this.actionPromise;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("hasBeenReinvited", contact.email)
);
this.actionPromise = null;
}
async confirm(contact: EmergencyAccessGranteeDetailsResponse) {
function updateUser() {
contact.status = EmergencyAccessStatusType.Confirmed;
}
if (this.actionPromise != null) {
return;
}
const autoConfirm = await this.stateService.getAutoConfirmFingerPrints();
if (autoConfirm == null || !autoConfirm) {
const [modal] = await this.modalService.openViewRef(
EmergencyAccessConfirmComponent,
this.confirmModalRef,
(comp) => {
comp.name = this.userNamePipe.transform(contact);
comp.emergencyAccessId = contact.id;
comp.userId = contact?.granteeId;
comp.onConfirmed.subscribe(async () => {
modal.close();
comp.formPromise = this.doConfirmation(contact);
await comp.formPromise;
updateUser();
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("hasBeenConfirmed", this.userNamePipe.transform(contact))
);
});
}
);
return;
}
this.actionPromise = this.doConfirmation(contact);
await this.actionPromise;
updateUser();
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("hasBeenConfirmed", this.userNamePipe.transform(contact))
);
this.actionPromise = null;
}
async remove(
details: EmergencyAccessGranteeDetailsResponse | EmergencyAccessGrantorDetailsResponse
) {
const confirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("removeUserConfirmation"),
this.userNamePipe.transform(details),
this.i18nService.t("yes"),
this.i18nService.t("no"),
"warning"
);
if (!confirmed) {
return false;
}
try {
await this.apiService.deleteEmergencyAccess(details.id);
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("removedUserId", this.userNamePipe.transform(details))
);
if (details instanceof EmergencyAccessGranteeDetailsResponse) {
this.removeGrantee(details);
} else {
this.removeGrantor(details);
}
} catch (e) {
this.logService.error(e);
}
}
async requestAccess(details: EmergencyAccessGrantorDetailsResponse) {
const confirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("requestAccessConfirmation", details.waitTimeDays.toString()),
this.userNamePipe.transform(details),
this.i18nService.t("requestAccess"),
this.i18nService.t("no"),
"warning"
);
if (!confirmed) {
return false;
}
await this.apiService.postEmergencyAccessInitiate(details.id);
details.status = EmergencyAccessStatusType.RecoveryInitiated;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("requestSent", this.userNamePipe.transform(details))
);
}
async approve(details: EmergencyAccessGranteeDetailsResponse) {
const type = this.i18nService.t(
details.type === EmergencyAccessType.View ? "view" : "takeover"
);
const confirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("approveAccessConfirmation", this.userNamePipe.transform(details), type),
this.userNamePipe.transform(details),
this.i18nService.t("approve"),
this.i18nService.t("no"),
"warning"
);
if (!confirmed) {
return false;
}
await this.apiService.postEmergencyAccessApprove(details.id);
details.status = EmergencyAccessStatusType.RecoveryApproved;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("emergencyApproved", this.userNamePipe.transform(details))
);
}
async reject(details: EmergencyAccessGranteeDetailsResponse) {
await this.apiService.postEmergencyAccessReject(details.id);
details.status = EmergencyAccessStatusType.Confirmed;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("emergencyRejected", this.userNamePipe.transform(details))
);
}
async takeover(details: EmergencyAccessGrantorDetailsResponse) {
const [modal] = await this.modalService.openViewRef(
EmergencyAccessTakeoverComponent,
this.takeoverModalRef,
(comp) => {
comp.name = this.userNamePipe.transform(details);
comp.email = details.email;
comp.emergencyAccessId = details != null ? details.id : null;
comp.onDone.subscribe(() => {
modal.close();
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("passwordResetFor", this.userNamePipe.transform(details))
);
});
}
);
}
private removeGrantee(details: EmergencyAccessGranteeDetailsResponse) {
const index = this.trustedContacts.indexOf(details);
if (index > -1) {
this.trustedContacts.splice(index, 1);
}
}
private removeGrantor(details: EmergencyAccessGrantorDetailsResponse) {
const index = this.grantedContacts.indexOf(details);
if (index > -1) {
this.grantedContacts.splice(index, 1);
}
}
// Encrypt the master password hash using the grantees public key, and send it to bitwarden for escrow.
private async doConfirmation(details: EmergencyAccessGranteeDetailsResponse) {
const encKey = await this.cryptoService.getEncKey();
const publicKeyResponse = await this.apiService.getUserPublicKey(details.granteeId);
const publicKey = Utils.fromB64ToArray(publicKeyResponse.publicKey);
try {
this.logService.debug(
"User's fingerprint: " +
(await this.cryptoService.getFingerprint(details.granteeId, publicKey.buffer)).join("-")
);
} catch {
// Ignore errors since it's just a debug message
}
const encryptedKey = await this.cryptoService.rsaEncrypt(encKey.key, publicKey.buffer);
const request = new EmergencyAccessConfirmRequest();
request.key = encryptedKey.encryptedString;
await this.apiService.postEmergencyAccessConfirm(details.id, request);
}
}
| bitwarden/web/src/app/settings/emergency-access.component.ts/0 | {
"file_path": "bitwarden/web/src/app/settings/emergency-access.component.ts",
"repo_id": "bitwarden",
"token_count": 3886
} | 143 |
<app-change-kdf *ngIf="showChangeKdf"></app-change-kdf>
<div
[ngClass]="{ 'tabbed-header': !showChangeKdf, 'secondary-header': showChangeKdf }"
class="border-0 mb-0"
>
<h1>{{ "apiKey" | i18n }}</h1>
</div>
<p>
{{ "userApiKeyDesc" | i18n }}
</p>
<button bitButton buttonType="secondary" (click)="viewUserApiKey()">
{{ "viewApiKey" | i18n }}
</button>
<button bitButton buttonType="secondary" (click)="rotateUserApiKey()">
{{ "rotateApiKey" | i18n }}
</button>
<ng-template #viewUserApiKeyTemplate></ng-template>
<ng-template #rotateUserApiKeyTemplate></ng-template>
| bitwarden/web/src/app/settings/security-keys.component.html/0 | {
"file_path": "bitwarden/web/src/app/settings/security-keys.component.html",
"repo_id": "bitwarden",
"token_count": 234
} | 144 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="2faAuthenticatorTitle">
<div class="modal-dialog" role="document">
<div class="modal-content">
<div class="modal-header">
<h2 class="modal-title" id="2faAuthenticatorTitle">
{{ "twoStepLogin" | i18n }}
<small>{{ "authenticatorAppTitle" | i18n }}</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"
>
<div class="modal-body">
<ng-container *ngIf="!enabled">
<img class="float-right mfaType0" alt="Authenticator app logo" />
<p>{{ "twoStepAuthenticatorDesc" | i18n }}</p>
<p>
<strong>1. {{ "twoStepAuthenticatorDownloadApp" | i18n }}</strong>
</p>
</ng-container>
<ng-container *ngIf="enabled">
<app-callout type="success" title="{{ 'enabled' | i18n }}" icon="bwi bwi-check-circle">
<p>{{ "twoStepLoginProviderEnabled" | i18n }}</p>
{{ "twoStepAuthenticatorReaddDesc" | i18n }}
</app-callout>
<img class="float-right mfaType0" alt="Authenticator app logo" />
<p>{{ "twoStepAuthenticatorNeedApp" | i18n }}</p>
</ng-container>
<ul class="bwi-ul">
<li>
<i class="bwi bwi-li bwi-apple"></i>{{ "iosDevices" | i18n }}:
<a
href="https://itunes.apple.com/us/app/authy/id494168017?mt=8"
target="_blank"
rel="noopener"
>Authy</a
>
</li>
<li>
<i class="bwi bwi-li bwi-android"></i>{{ "androidDevices" | i18n }}:
<a
href="https://play.google.com/store/apps/details?id=com.authy.authy"
target="_blank"
rel="noopener"
>Authy</a
>
</li>
<li>
<i class="bwi bwi-li bwi-windows"></i>{{ "windowsDevices" | i18n }}:
<a
href="https://www.microsoft.com/p/authenticator/9wzdncrfj3rj"
target="_blank"
rel="noopener"
>Microsoft Authenticator</a
>
</li>
</ul>
<p>{{ "twoStepAuthenticatorAppsRecommended" | i18n }}</p>
<p *ngIf="!enabled">
<strong>2. {{ "twoStepAuthenticatorScanCode" | i18n }}</strong>
</p>
<hr *ngIf="enabled" />
<p class="text-center" [ngClass]="{ 'mb-0': enabled }">
<canvas id="qr"></canvas><br />
<code appA11yTitle="{{ 'key' | i18n }}">{{ key }}</code>
</p>
<ng-container *ngIf="!enabled">
<label for="token">3. {{ "twoStepAuthenticatorEnterCode" | i18n }}</label>
<input
id="token"
type="text"
name="Token"
class="form-control"
[(ngModel)]="token"
required
appInputVerbatim
/>
</ng-container>
</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 *ngIf="!enabled">{{ "enable" | i18n }}</span>
<span *ngIf="enabled">{{ "disable" | 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-authenticator.component.html/0 | {
"file_path": "bitwarden/web/src/app/settings/two-factor-authenticator.component.html",
"repo_id": "bitwarden",
"token_count": 2367
} | 145 |
import { Component } from "@angular/core";
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 { TwoFactorProviderType } from "jslib-common/enums/twoFactorProviderType";
import { UpdateTwoFactorYubioOtpRequest } from "jslib-common/models/request/updateTwoFactorYubioOtpRequest";
import { TwoFactorYubiKeyResponse } from "jslib-common/models/response/twoFactorYubiKeyResponse";
import { TwoFactorBaseComponent } from "./two-factor-base.component";
@Component({
selector: "app-two-factor-yubikey",
templateUrl: "two-factor-yubikey.component.html",
})
export class TwoFactorYubiKeyComponent extends TwoFactorBaseComponent {
type = TwoFactorProviderType.Yubikey;
keys: any[];
nfc = false;
formPromise: Promise<any>;
disablePromise: Promise<any>;
constructor(
apiService: ApiService,
i18nService: I18nService,
platformUtilsService: PlatformUtilsService,
logService: LogService,
userVerificationService: UserVerificationService
) {
super(apiService, i18nService, platformUtilsService, logService, userVerificationService);
}
auth(authResponse: any) {
super.auth(authResponse);
this.processResponse(authResponse.response);
}
async submit() {
const request = await this.buildRequestModel(UpdateTwoFactorYubioOtpRequest);
request.key1 = this.keys != null && this.keys.length > 0 ? this.keys[0].key : null;
request.key2 = this.keys != null && this.keys.length > 1 ? this.keys[1].key : null;
request.key3 = this.keys != null && this.keys.length > 2 ? this.keys[2].key : null;
request.key4 = this.keys != null && this.keys.length > 3 ? this.keys[3].key : null;
request.key5 = this.keys != null && this.keys.length > 4 ? this.keys[4].key : null;
request.nfc = this.nfc;
return super.enable(async () => {
this.formPromise = this.apiService.putTwoFactorYubiKey(request);
const response = await this.formPromise;
await this.processResponse(response);
this.platformUtilsService.showToast("success", null, this.i18nService.t("yubikeysUpdated"));
});
}
disable() {
return super.disable(this.disablePromise);
}
remove(key: any) {
key.existingKey = null;
key.key = null;
}
private processResponse(response: TwoFactorYubiKeyResponse) {
this.enabled = response.enabled;
this.keys = [
{ key: response.key1, existingKey: this.padRight(response.key1) },
{ key: response.key2, existingKey: this.padRight(response.key2) },
{ key: response.key3, existingKey: this.padRight(response.key3) },
{ key: response.key4, existingKey: this.padRight(response.key4) },
{ key: response.key5, existingKey: this.padRight(response.key5) },
];
this.nfc = response.nfc || !response.enabled;
}
private padRight(str: string, character = "•", size = 44) {
if (str == null || character == null || str.length >= size) {
return str;
}
const max = (size - str.length) / character.length;
for (let i = 0; i < max; i++) {
str += character;
}
return str;
}
}
| bitwarden/web/src/app/settings/two-factor-yubikey.component.ts/0 | {
"file_path": "bitwarden/web/src/app/settings/two-factor-yubikey.component.ts",
"repo_id": "bitwarden",
"token_count": 1191
} | 146 |
import { Component, ViewChild, ViewContainerRef } from "@angular/core";
import { ActivatedRoute } from "@angular/router";
import { GeneratorComponent as BaseGeneratorComponent } from "jslib-angular/components/generator.component";
import { ModalService } from "jslib-angular/services/modal.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 { StateService } from "jslib-common/abstractions/state.service";
import { UsernameGenerationService } from "jslib-common/abstractions/usernameGeneration.service";
import { PasswordGeneratorHistoryComponent } from "./password-generator-history.component";
@Component({
selector: "app-generator",
templateUrl: "generator.component.html",
})
export class GeneratorComponent extends BaseGeneratorComponent {
@ViewChild("historyTemplate", { read: ViewContainerRef, static: true })
historyModalRef: ViewContainerRef;
constructor(
passwordGenerationService: PasswordGenerationService,
usernameGenerationService: UsernameGenerationService,
stateService: StateService,
platformUtilsService: PlatformUtilsService,
i18nService: I18nService,
logService: LogService,
route: ActivatedRoute,
private modalService: ModalService
) {
super(
passwordGenerationService,
usernameGenerationService,
platformUtilsService,
stateService,
i18nService,
logService,
route,
window
);
if (platformUtilsService.isSelfHost()) {
// Cannot use Firefox Relay on self hosted web vaults due to CORS issues with Firefox Relay API
this.forwardOptions.splice(
this.forwardOptions.findIndex((o) => o.value === "firefoxrelay"),
1
);
}
}
async history() {
await this.modalService.openViewRef(PasswordGeneratorHistoryComponent, this.historyModalRef);
}
lengthChanged() {
document.getElementById("length").focus();
}
minNumberChanged() {
document.getElementById("min-number").focus();
}
minSpecialChanged() {
document.getElementById("min-special").focus();
}
}
| bitwarden/web/src/app/tools/generator.component.ts/0 | {
"file_path": "bitwarden/web/src/app/tools/generator.component.ts",
"repo_id": "bitwarden",
"token_count": 743
} | 147 |
import { Component, EventEmitter, Input, Output } from "@angular/core";
import { ApiService } from "jslib-common/abstractions/api.service";
import { CipherService } from "jslib-common/abstractions/cipher.service";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { Organization } from "jslib-common/models/domain/organization";
import { CipherBulkDeleteRequest } from "jslib-common/models/request/cipherBulkDeleteRequest";
@Component({
selector: "app-vault-bulk-delete",
templateUrl: "bulk-delete.component.html",
})
export class BulkDeleteComponent {
@Input() cipherIds: string[] = [];
@Input() permanent = false;
@Input() organization: Organization;
@Output() onDeleted = new EventEmitter();
formPromise: Promise<any>;
constructor(
private cipherService: CipherService,
private platformUtilsService: PlatformUtilsService,
private i18nService: I18nService,
private apiService: ApiService
) {}
async submit() {
if (!this.organization || !this.organization.canEditAnyCollection) {
await this.deleteCiphers();
} else {
await this.deleteCiphersAdmin();
}
await this.formPromise;
this.onDeleted.emit();
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t(this.permanent ? "permanentlyDeletedItems" : "deletedItems")
);
}
private async deleteCiphers() {
if (this.permanent) {
this.formPromise = await this.cipherService.deleteManyWithServer(this.cipherIds);
} else {
this.formPromise = await this.cipherService.softDeleteManyWithServer(this.cipherIds);
}
}
private async deleteCiphersAdmin() {
const deleteRequest = new CipherBulkDeleteRequest(this.cipherIds, this.organization.id);
if (this.permanent) {
this.formPromise = await this.apiService.deleteManyCiphersAdmin(deleteRequest);
} else {
this.formPromise = await this.apiService.putDeleteManyCiphersAdmin(deleteRequest);
}
}
}
| bitwarden/web/src/app/vault/bulk-delete.component.ts/0 | {
"file_path": "bitwarden/web/src/app/vault/bulk-delete.component.ts",
"repo_id": "bitwarden",
"token_count": 720
} | 148 |
<?xml version="1.0" encoding="utf-8"?>
<browserconfig>
<msapplication>
<tile>
<square150x150logo src="images/icons/mstile-150x150.png"/>
<TileColor>#175DDC</TileColor>
</tile>
</msapplication>
</browserconfig>
| bitwarden/web/src/browserconfig.xml/0 | {
"file_path": "bitwarden/web/src/browserconfig.xml",
"repo_id": "bitwarden",
"token_count": 99
} | 149 |
<!DOCTYPE html>
<html>
<head>
<meta charset="utf-8" />
<meta
name="viewport"
content="width=device-width,initial-scale=1,maximum-scale=1,user-scalable=no"
/>
<meta http-equiv="X-UA-Compatible" content="IE=edge,chrome=1" />
<meta name="HandheldFriendly" content="true" />
<title>Bitwarden WebAuthn Connector</title>
</head>
<body style="background: transparent">
<div class="row justify-content-md-center mt-5">
<div>
<img src="../images/logo-dark@2x.png" class="logo mb-2" alt="Bitwarden" />
<p id="webauthn-header" class="lead text-center mx-4 mb-4"></p>
<picture>
<source srcset="../images/u2fkey-mobile.avif" type="image/avif" />
<source srcset="../images/u2fkey-mobile.webp" type="image/webp" />
<img src="../images/u2fkey-mobile.jpg" class="rounded img-fluid" />
</picture>
<div class="text-center mt-4">
<button id="webauthn-button" class="btn btn-primary btn-lg"></button>
</div>
</div>
</div>
</body>
</html>
| bitwarden/web/src/connectors/webauthn-mobile.html/0 | {
"file_path": "bitwarden/web/src/connectors/webauthn-mobile.html",
"repo_id": "bitwarden",
"token_count": 494
} | 150 |
<svg xmlns="http://www.w3.org/2000/svg" width="100%" height="100%" viewBox="0 0 100% 100%">
<text fill="%23FBFBFB" x="50%" y="50%" font-family="\'Open Sans\', \'Helvetica Neue\', Helvetica, Arial, sans-serif"
font-size="18" text-anchor="middle">
Loading...
</text>
</svg>
| bitwarden/web/src/images/loading-white.svg/0 | {
"file_path": "bitwarden/web/src/images/loading-white.svg",
"repo_id": "bitwarden",
"token_count": 129
} | 151 |
{
"pageTitle": {
"message": "$APP_NAME$ Webkluis",
"description": "The title of the website in the browser window.",
"placeholders": {
"app_name": {
"content": "$1",
"example": "Bitwarden"
}
}
},
"whatTypeOfItem": {
"message": "Welke tipe item is dit?"
},
"name": {
"message": "Naam"
},
"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": "Nuwe URI"
},
"username": {
"message": "Gebruikersnaam"
},
"password": {
"message": "Wagwoord"
},
"newPassword": {
"message": "Nuwe wagwoord"
},
"passphrase": {
"message": "Wagfrase"
},
"notes": {
"message": "Notas"
},
"customFields": {
"message": "Pasgemaakte velde"
},
"cardholderName": {
"message": "Kaarthouernaam"
},
"number": {
"message": "Nommer"
},
"brand": {
"message": "Handelsmerk"
},
"expiration": {
"message": "Vervaldatum"
},
"securityCode": {
"message": "Security Code (CVV)"
},
"identityName": {
"message": "Identiteitnaam"
},
"company": {
"message": "Maatskappy"
},
"ssn": {
"message": "Identiteitsnommer"
},
"passportNumber": {
"message": "Paspoortnommer"
},
"licenseNumber": {
"message": "Lisensienommer"
},
"email": {
"message": "E-pos"
},
"phone": {
"message": "Telefoon"
},
"january": {
"message": "Januarie"
},
"february": {
"message": "Februarie"
},
"march": {
"message": "Maart"
},
"april": {
"message": "April"
},
"may": {
"message": "Mei"
},
"june": {
"message": "Junie"
},
"july": {
"message": "Julie"
},
"august": {
"message": "Augustus"
},
"september": {
"message": "September"
},
"october": {
"message": "Oktober"
},
"november": {
"message": "November"
},
"december": {
"message": "Desember"
},
"title": {
"message": "Titel"
},
"mr": {
"message": "Mnr."
},
"mrs": {
"message": "Mev."
},
"ms": {
"message": "Mej."
},
"dr": {
"message": "Dr."
},
"expirationMonth": {
"message": "Vervalmaand"
},
"expirationYear": {
"message": "Vervaljaar"
},
"authenticatorKeyTotp": {
"message": "Waarmerksleutel (TOTP)"
},
"folder": {
"message": "Vouer"
},
"newCustomField": {
"message": "Nuwe pasgemaakte veld"
},
"value": {
"message": "Waarde"
},
"dragToSort": {
"message": "Sleep om te sorteer"
},
"cfTypeText": {
"message": "Teks"
},
"cfTypeHidden": {
"message": "Versteek"
},
"cfTypeBoolean": {
"message": "Booleaans"
},
"cfTypeLinked": {
"message": "Linked",
"description": "This describes a field that is 'linked' (related) to another field."
},
"remove": {
"message": "Verwyder"
},
"unassigned": {
"message": "Unassigned"
},
"noneFolder": {
"message": "Geen vouer",
"description": "This is the folder for uncategorized items"
},
"addFolder": {
"message": "Voeg vouer toe"
},
"editFolder": {
"message": "Wysig vouer"
},
"baseDomain": {
"message": "Basisdomein",
"description": "Domain name. Ex. website.com"
},
"domainName": {
"message": "Domain Name",
"description": "Domain name. Ex. website.com"
},
"host": {
"message": "Gasheer",
"description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'."
},
"exact": {
"message": "Presies"
},
"startsWith": {
"message": "Begin met"
},
"regEx": {
"message": "Gewone uitdrukking",
"description": "A programming term, also known as 'RegEx'."
},
"matchDetection": {
"message": "Ooreenkomsbespeuring",
"description": "URI match detection for auto-fill."
},
"defaultMatchDetection": {
"message": "Verstekooreenkomsbespeuring",
"description": "Default URI match detection for auto-fill."
},
"never": {
"message": "Nooit"
},
"toggleVisibility": {
"message": "Tokkel sigbaarheid"
},
"toggleCollapse": {
"message": "Tokkel invou",
"description": "Toggling an expand/collapse state."
},
"generatePassword": {
"message": "Genereer Wagwoord"
},
"checkPassword": {
"message": "Gaan na of wagwoord blootgestel is."
},
"passwordExposed": {
"message": "Hierdie wagwoord is $VALUE$ keer in databreuke blootgestel. U behoort dit te verander.",
"placeholders": {
"value": {
"content": "$1",
"example": "2"
}
}
},
"passwordSafe": {
"message": "Hierdie wagwoord is in geen bekende databreuke gevind nie. Dit behoort veilig vir gebruik te wees."
},
"save": {
"message": "Bewaar"
},
"cancel": {
"message": "Kanselleer"
},
"canceled": {
"message": "Gekanselleer"
},
"close": {
"message": "Sluit"
},
"delete": {
"message": "Skrap"
},
"favorite": {
"message": "Gunsteling"
},
"unfavorite": {
"message": "Unfavorite"
},
"edit": {
"message": "Wysig"
},
"searchCollection": {
"message": "Deursoek versameling"
},
"searchFolder": {
"message": "Deursoek vouer"
},
"searchFavorites": {
"message": "Deursoek gunstelinge"
},
"searchType": {
"message": "Deursoek tipe",
"description": "Search item type"
},
"searchVault": {
"message": "Deursoek kluis"
},
"allItems": {
"message": "Alle items"
},
"favorites": {
"message": "Gunstelinge"
},
"types": {
"message": "Tipes"
},
"typeLogin": {
"message": "Aantekening"
},
"typeCard": {
"message": "Kaart"
},
"typeIdentity": {
"message": "Identiteit"
},
"typeSecureNote": {
"message": "Beveiligde nota"
},
"typeLoginPlural": {
"message": "Logins"
},
"typeCardPlural": {
"message": "Cards"
},
"typeIdentityPlural": {
"message": "Identities"
},
"typeSecureNotePlural": {
"message": "Secure Notes"
},
"folders": {
"message": "Vouers"
},
"collections": {
"message": "Versamelings"
},
"firstName": {
"message": "Voornaam"
},
"middleName": {
"message": "Middelnaam"
},
"lastName": {
"message": "Van"
},
"fullName": {
"message": "Full Name"
},
"address1": {
"message": "Adres 1"
},
"address2": {
"message": "Adres 2"
},
"address3": {
"message": "Adres 3"
},
"cityTown": {
"message": "Stad / Dorp"
},
"stateProvince": {
"message": "Staat / Provinsie"
},
"zipPostalCode": {
"message": "Poskode"
},
"country": {
"message": "Land"
},
"shared": {
"message": "Gedeel"
},
"attachments": {
"message": "Aanhegsels"
},
"select": {
"message": "Kies"
},
"addItem": {
"message": "Voeg item toe"
},
"editItem": {
"message": "Wysig item"
},
"viewItem": {
"message": "Bekyk item"
},
"ex": {
"message": "bv.",
"description": "Short abbreviation for 'example'."
},
"other": {
"message": "Ander"
},
"share": {
"message": "Deel"
},
"moveToOrganization": {
"message": "Skuif na organisasie"
},
"valueCopied": {
"message": "$VALUE$ gekopieer",
"description": "Value has been copied to the clipboard.",
"placeholders": {
"value": {
"content": "$1",
"example": "Password"
}
}
},
"copyValue": {
"message": "Kopieer waarde",
"description": "Copy value to clipboard"
},
"copyPassword": {
"message": "Kopieer wagwoord",
"description": "Copy password to clipboard"
},
"copyUsername": {
"message": "Kopieer gebruikersnaam",
"description": "Copy username to clipboard"
},
"copyNumber": {
"message": "Kopieer nommer",
"description": "Copy credit card number"
},
"copySecurityCode": {
"message": "Kopieer sekureiteitskode",
"description": "Copy credit card security code (CVV)"
},
"copyUri": {
"message": "Kopieer URI",
"description": "Copy URI to clipboard"
},
"myVault": {
"message": "My kluis"
},
"vault": {
"message": "Kluis"
},
"moveSelectedToOrg": {
"message": "Skuif seleksie na organisasie"
},
"deleteSelected": {
"message": "Skrap seleksie"
},
"moveSelected": {
"message": "Skuif seleksie"
},
"selectAll": {
"message": "Kies alles"
},
"unselectAll": {
"message": "Unselect All"
},
"launch": {
"message": "Lanseer"
},
"newAttachment": {
"message": "Voeg nuwe aanhegsel toe"
},
"deletedAttachment": {
"message": "Skrap aanhegsel"
},
"deleteAttachmentConfirmation": {
"message": "Is u seker u wil hierdie aanhegsel skrap?"
},
"attachmentSaved": {
"message": "Die aanhegsel is bewaar."
},
"file": {
"message": "Lêer"
},
"selectFile": {
"message": "Kies ’n lêer."
},
"maxFileSize": {
"message": "Maksimum lêergrootte is 500 MB."
},
"updateKey": {
"message": "U kan eers hierdie funksie gebruik wanneer u u enkripsiesleutel bygewerk het."
},
"addedItem": {
"message": "Toegevoegde item"
},
"editedItem": {
"message": "Gewysigde item"
},
"movedItemToOrg": {
"message": "$ITEMNAME$ geskuif na $ORGNAME$",
"placeholders": {
"itemname": {
"content": "$1",
"example": "Secret Item"
},
"orgname": {
"content": "$2",
"example": "Company Name"
}
}
},
"movedItemsToOrg": {
"message": "Gekose items is na $ORGNAME$ geskuif",
"placeholders": {
"orgname": {
"content": "$1",
"example": "Company Name"
}
}
},
"deleteItem": {
"message": "Skrap item"
},
"deleteFolder": {
"message": "Skrap vouer"
},
"deleteAttachment": {
"message": "Skrap aanhegsel"
},
"deleteItemConfirmation": {
"message": "Wil u dit regtig na die asblik stuur?"
},
"deletedItem": {
"message": "Item na asblik gestuur"
},
"deletedItems": {
"message": "Items na asblik gestuur"
},
"movedItems": {
"message": "Geskuifde items"
},
"overwritePasswordConfirmation": {
"message": "Is u seker u wil die huidige wagwoord oorskryf?"
},
"editedFolder": {
"message": "Gewysigde vouer"
},
"addedFolder": {
"message": "Toegevoegde vouer"
},
"deleteFolderConfirmation": {
"message": "Is u seker u wil hierdie vouer skrap?"
},
"deletedFolder": {
"message": "Geskrapte vouer"
},
"loggedOut": {
"message": "Uitgeteken"
},
"loginExpired": {
"message": "U aantekensessie het verstryk."
},
"logOutConfirmation": {
"message": "Is u seker u wil uitteken?"
},
"logOut": {
"message": "Teken uit"
},
"ok": {
"message": "Goed"
},
"yes": {
"message": "Ja"
},
"no": {
"message": "Nee"
},
"loginOrCreateNewAccount": {
"message": "Teken aan of skep ’n nuwe rekening vir toegang tot u beveiligde kluis."
},
"createAccount": {
"message": "Skep rekening"
},
"logIn": {
"message": "Teken aan"
},
"submit": {
"message": "Dien in"
},
"emailAddressDesc": {
"message": "U gaan u e-posadres gebruik vir aantekening."
},
"yourName": {
"message": "U naam"
},
"yourNameDesc": {
"message": "Wat moet ons u noem?"
},
"masterPass": {
"message": "Hoofwagwoord"
},
"masterPassDesc": {
"message": "Die hoofwagwoord is die wagwoord wat u gaan gebruik vir toegang tot u kluis. Dit is baie belangrik dat u u hoofwagwoord onthou. Daar is geen manier om dit terug te kry ingeval u dit vergeet het nie."
},
"masterPassHintDesc": {
"message": "’n Hoofwagwoordwenk kan u help om u wagwoord te onthou, sou u dit vergeet."
},
"reTypeMasterPass": {
"message": "Voer weer hoofwagwoord in"
},
"masterPassHint": {
"message": "Hoofwagwoordwenk (opsioneel)"
},
"masterPassHintLabel": {
"message": "Hoofwagwoordwenk"
},
"settings": {
"message": "Instellings"
},
"passwordHint": {
"message": "Wagwoordwenk"
},
"enterEmailToGetHint": {
"message": "Voer u rekening-e-posadres in om u hoofwagwoordwenk te kry."
},
"getMasterPasswordHint": {
"message": "Kry hoofwagwoordwenk"
},
"emailRequired": {
"message": "E-posadres word benodig."
},
"invalidEmail": {
"message": "Ongeldige e-posadres."
},
"masterPassRequired": {
"message": "Hoofwagwoord word benodig."
},
"masterPassLength": {
"message": "Hoofwagwoord moet ten minste 8 karakters lank wees."
},
"masterPassDoesntMatch": {
"message": "Hoofwagwoordbevestiging stem nie ooreen nie."
},
"newAccountCreated": {
"message": "U nuwe rekening is geskep! U kan nou aanteken."
},
"masterPassSent": {
"message": "Ons het ’n e-pos gestuur met u hoofwagwoordwenk."
},
"unexpectedError": {
"message": "'n Onverwagte fout het voorgekom."
},
"emailAddress": {
"message": "E-posadres"
},
"yourVaultIsLocked": {
"message": "U kluis is vergrendel. Verifieer u hoofwagwoord om voort te gaan."
},
"unlock": {
"message": "Ontgrendel"
},
"loggedInAsEmailOn": {
"message": "Aangeteken as $EMAIL$ by $HOSTNAME$.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
},
"hostname": {
"content": "$2",
"example": "bitwarden.com"
}
}
},
"invalidMasterPassword": {
"message": "Ongeldige hoofwagwoord"
},
"lockNow": {
"message": "Vergrendel nou"
},
"noItemsInList": {
"message": "Daar is geen items om te lys nie."
},
"noCollectionsInList": {
"message": "Daar is geen versamelings om te lys nie."
},
"noGroupsInList": {
"message": "Daar is geen groepe om te lys nie."
},
"noUsersInList": {
"message": "Daar is geen gebruikers om te lys nie."
},
"noEventsInList": {
"message": "Daar is geen gebeure om te lys nie."
},
"newOrganization": {
"message": "Nuwe organisasie"
},
"noOrganizationsList": {
"message": "U behoort aan geen organisasies nie. Organisasies laat u toe om items op beveiligde wyse met ander gebruikers te deel."
},
"versionNumber": {
"message": "Weergawe $VERSION_NUMBER$",
"placeholders": {
"version_number": {
"content": "$1",
"example": "1.2.3"
}
}
},
"enterVerificationCodeApp": {
"message": "Voer die 6-syferbevestigingskode van u waarmerktoep in."
},
"enterVerificationCodeEmail": {
"message": "Voer die 8-syferbevestigingskode in wat aan $EMAIL$ gestuur is.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"verificationCodeEmailSent": {
"message": "Verification email sent to $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"rememberMe": {
"message": "Onthou my"
},
"sendVerificationCodeEmailAgain": {
"message": "Stuur weer e-pos met bevestigingskode"
},
"useAnotherTwoStepMethod": {
"message": "Gebruik ’n ander tweestapaantekenmetode"
},
"insertYubiKey": {
"message": "Insert your YubiKey into your computer's USB port, then touch its button."
},
"insertU2f": {
"message": "Insert your security key into your computer's USB port. If it has a button, touch it."
},
"loginUnavailable": {
"message": "Aantekening onbeskikbaar"
},
"noTwoStepProviders": {
"message": "This account has two-step login enabled, however, none of the configured two-step providers are supported by this web browser."
},
"noTwoStepProviders2": {
"message": "Gebruik asb. ’n ondersteunde webblaaier (soos Chrome) en/of bykomende verskaffers wat beter oor webblaaiers ondersteun word (soos ’n waarmerktoep)."
},
"twoStepOptions": {
"message": "Opsies vir tweestapaantekening"
},
"recoveryCodeDesc": {
"message": "Lost access to all of your two-factor providers? Use your recovery code to disable all two-factor providers from your account."
},
"recoveryCodeTitle": {
"message": "Terugstelkode"
},
"authenticatorAppTitle": {
"message": "Waarmerktoep"
},
"authenticatorAppDesc": {
"message": "Gebruik ’n waarmerktoep (soos Authy of Google Authenticator) om tydgebaseerde bevestigingskodes te genereer.",
"description": "'Authy' and 'Google Authenticator' are product names and should not be translated."
},
"yubiKeyTitle": {
"message": "YubiKey OTP Security Key"
},
"yubiKeyDesc": {
"message": "Gebruik ’n YubiKey vir toegang tot u rekening. Werk met YubiKey reeks 4, reeks 5 en NEO-toestelle."
},
"duoDesc": {
"message": "Verify with Duo Security using the Duo Mobile app, SMS, phone call, or U2F security key.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"duoOrganizationDesc": {
"message": "Verify with Duo Security for your organization using the Duo Mobile app, SMS, phone call, or U2F security key.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"u2fDesc": {
"message": "Use any FIDO U2F enabled security key to access your account."
},
"u2fTitle": {
"message": "FIDO U2F Security Key"
},
"webAuthnTitle": {
"message": "FIDO2 WebAuthn"
},
"webAuthnDesc": {
"message": "Use any WebAuthn enabled security key to access your account."
},
"webAuthnMigrated": {
"message": "(Migrated from FIDO)"
},
"emailTitle": {
"message": "E-pos"
},
"emailDesc": {
"message": "Verification codes will be emailed to you."
},
"continue": {
"message": "Gaan voort"
},
"organization": {
"message": "Organisasie"
},
"organizations": {
"message": "Organisasies"
},
"moveToOrgDesc": {
"message": "Kies ’n organisasie waarheen u hierdie item wil skuif. Deur te skuif kry die organisasie die einaarskap van die item. U is dan nie meer die direkte eienaar van die item wanneer dit geskuif is nie."
},
"moveManyToOrgDesc": {
"message": "Kies ’n organisasie waarheen u hierdie items wil skuif. Deur te skuif kry die organisasie die einaarskap van die items. U is dan nie meer die direkte eienaar van die items wanneer dit geskuif is nie."
},
"collectionsDesc": {
"message": "Edit the collections that this item is being shared with. Only organization users with access to these collections will be able to see this item."
},
"deleteSelectedItemsDesc": {
"message": "U het $COUNT$ item(s) gekies om te skrap. Is u seker u wil al hierdie items skrap?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsDesc": {
"message": "Kies ’n vouer waarheen u die $COUNT$ gekose item(s) heen wil skuif.",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsCountDesc": {
"message": "U het $COUNT$ item(s) gekies. $MOVEABLE_COUNT$ item(s) kan na ’n organisasie geskuif word, $NONMOVEABLE_COUNT$ kan nie.",
"placeholders": {
"count": {
"content": "$1",
"example": "10"
},
"moveable_count": {
"content": "$2",
"example": "8"
},
"nonmoveable_count": {
"content": "$3",
"example": "2"
}
}
},
"verificationCodeTotp": {
"message": "Bevestigingskode (TOTP)"
},
"copyVerificationCode": {
"message": "Kopieer bevestigingskode"
},
"warning": {
"message": "Waarskuwing"
},
"confirmVaultExport": {
"message": "Bevestig kluisuitstuur"
},
"exportWarningDesc": {
"message": "Hierdie uitstuur bevat u kluisdata in ’n ongeënkripteerde formaat. U behoort dit nie oor onbeveiligde kanale (soos e-pos) te bewaar of verstuur nie. Skrap dit sodra u dit klaar gebruik het."
},
"encExportKeyWarningDesc": {
"message": "Hierdie uitstuur vergrendel u data met u rekening se enkripsiesleutel. Indien u ooit u rekening se enkripsiesleitel wil verander moet u dit weer uitstuur aangesien u dan nie hierdie uitstuurlêer sal kan dekripteer nie."
},
"encExportAccountWarningDesc": {
"message": "Rekeningenkripsiesleutels is uniek tot elke Bitwarden-gebruikersrekening, daarom kan u nie ’n geënkripteerde uitstuur in ’n ander rekening invoer nie."
},
"export": {
"message": "Uitstuur"
},
"exportVault": {
"message": "Stuur kluis uit"
},
"fileFormat": {
"message": "Lêerformaat"
},
"exportSuccess": {
"message": "U kluisdata is uitgestuur."
},
"passwordGenerator": {
"message": "Wagwoordgenereerder"
},
"minComplexityScore": {
"message": "Minimum ingewikkeldheidstelling"
},
"minNumbers": {
"message": "Min. aantal syfers"
},
"minSpecial": {
"message": "Min. aantal spesiaal",
"description": "Minimum Special Characters"
},
"ambiguous": {
"message": "Vermy dubbelsinnige karakters"
},
"regeneratePassword": {
"message": "Hergenereer wagwoord"
},
"length": {
"message": "Lengte"
},
"numWords": {
"message": "Aantal woorde"
},
"wordSeparator": {
"message": "Woordskeier"
},
"capitalize": {
"message": "Maak beginhoofletters",
"description": "Make the first letter of a work uppercase."
},
"includeNumber": {
"message": "Voeg syfer toe"
},
"passwordHistory": {
"message": "Wagwoordgeskiedenis"
},
"noPasswordsInList": {
"message": "Daar is geen wagwoorde om te lys nie."
},
"clear": {
"message": "Wis",
"description": "To clear something out. example: To clear browser history."
},
"accountUpdated": {
"message": "Rekening bygewerk"
},
"changeEmail": {
"message": "Verander e-pos"
},
"changeEmailTwoFactorWarning": {
"message": "Proceeding will change your account email address. It will not change the email address used for two-factor authentication. You can change this email address in the Two-Step Login settings."
},
"newEmail": {
"message": "Nuwe e-pos"
},
"code": {
"message": "Kode"
},
"changeEmailDesc": {
"message": "We have emailed a verification code to $EMAIL$. Please check your email for this code and enter it below to finalize the email address change.",
"placeholders": {
"email": {
"content": "$1",
"example": "john.smith@example.com"
}
}
},
"loggedOutWarning": {
"message": "Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour."
},
"emailChanged": {
"message": "E-pos is verander"
},
"logBackIn": {
"message": "Teken asb. weer aan."
},
"logBackInOthersToo": {
"message": "Teken asb. weer aan. Indien u ander Bitwarden-toepassings gebruik, teken daarop ook weer uit en aan."
},
"changeMasterPassword": {
"message": "Verander hoofwagwoord"
},
"masterPasswordChanged": {
"message": "Hoofwagwoord is verander"
},
"currentMasterPass": {
"message": "Huidige hoofwagwoord"
},
"newMasterPass": {
"message": "Nuwe hoofwagwoord"
},
"confirmNewMasterPass": {
"message": "Bevestig nuwe hoofwagwoord"
},
"encKeySettings": {
"message": "Enkripsiesleutelinstellings"
},
"kdfAlgorithm": {
"message": "KDF-algoritme"
},
"kdfIterations": {
"message": "KDF-iteraties"
},
"kdfIterationsDesc": {
"message": "Hoër KDF-iteraties beskerm u hoofwagwoord teen brutekragaanvalle. Ons beveel ’n waarde van $VALUE$ of meer aan.",
"placeholders": {
"value": {
"content": "$1",
"example": "100,000"
}
}
},
"kdfIterationsWarning": {
"message": "Setting your KDF iterations too high could result in poor performance when logging into (and unlocking) Bitwarden on devices with slower CPUs. We recommend that you increase the value in increments of $INCREMENT$ and then test all of your devices.",
"placeholders": {
"increment": {
"content": "$1",
"example": "50,000"
}
}
},
"changeKdf": {
"message": "Verander KDF"
},
"encKeySettingsChanged": {
"message": "Enkripsiesleutelinstellings is verander"
},
"dangerZone": {
"message": "Gevaarsone"
},
"dangerZoneDesc": {
"message": "Careful, these actions are not reversible!"
},
"deauthorizeSessions": {
"message": "Deauthorize Sessions"
},
"deauthorizeSessionsDesc": {
"message": "Concerned your account is logged in on another device? Proceed below to deauthorize all computers or devices that you have previously used. This security step is recommended if you previously used a public computer or accidentally saved your password on a device that isn't yours. This step will also clear all previously remembered two-step login sessions."
},
"deauthorizeSessionsWarning": {
"message": "Proceeding will also log you out of your current session, requiring you to log back in. You will also be prompted for two-step login again, if enabled. Active sessions on other devices may continue to remain active for up to one hour."
},
"sessionsDeauthorized": {
"message": "All Sessions Deauthorized"
},
"purgeVault": {
"message": "Purge Vault"
},
"purgedOrganizationVault": {
"message": "Purged organization vault."
},
"vaultAccessedByProvider": {
"message": "Vault accessed by provider."
},
"purgeVaultDesc": {
"message": "Proceed below to delete all items and folders in your vault. Items that belong to an organization that you share with will not be deleted."
},
"purgeOrgVaultDesc": {
"message": "Proceed below to delete all items in the organization's vault."
},
"purgeVaultWarning": {
"message": "Purging your vault is permanent. It cannot be undone."
},
"vaultPurged": {
"message": "Your vault has been purged."
},
"deleteAccount": {
"message": "Skrap rekening"
},
"deleteAccountDesc": {
"message": "Gaan hieronder voort om u rekening en alle bybehorende data te skrap."
},
"deleteAccountWarning": {
"message": "Skrap van u rekening is permanent. Dit kan nie ontdaan word nie."
},
"accountDeleted": {
"message": "Rekening geskrap"
},
"accountDeletedDesc": {
"message": "Your account has been closed and all associated data has been deleted."
},
"myAccount": {
"message": "My rekening"
},
"tools": {
"message": "Nutsmiddels"
},
"importData": {
"message": "Voer data in"
},
"importError": {
"message": "Invoerfout"
},
"importErrorDesc": {
"message": "There was a problem with the data you tried to import. Please resolve the errors listed below in your source file and try again."
},
"importSuccess": {
"message": "Data has been successfully imported into your vault."
},
"importWarning": {
"message": "You are importing data to $ORGANIZATION$. Your data may be shared with members of this organization. Do you want to proceed?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"importFormatError": {
"message": "Data is not formatted correctly. Please check your import file and try again."
},
"importNothingError": {
"message": "Niks is ingevoer nie."
},
"importEncKeyError": {
"message": "Error decrypting the exported file. Your encryption key does not match the encryption key used export the data."
},
"selectFormat": {
"message": "Select the format of the import file"
},
"selectImportFile": {
"message": "Kies die invoerlêer"
},
"orCopyPasteFileContents": {
"message": "or copy/paste the import file contents"
},
"instructionsFor": {
"message": "Instruksies vir $NAME$",
"description": "The title for the import tool instructions.",
"placeholders": {
"name": {
"content": "$1",
"example": "LastPass (csv)"
}
}
},
"options": {
"message": "Opsies"
},
"optionsDesc": {
"message": "Customize your web vault experience."
},
"optionsUpdated": {
"message": "Opsies bygewerk"
},
"language": {
"message": "Taal"
},
"languageDesc": {
"message": "Verander die taal wat deur die webkluis gebruik word."
},
"disableIcons": {
"message": "Deaktiveer webwerfikone"
},
"disableIconsDesc": {
"message": "Webwerfikone verskaf ’n herkenbare beeld langs elke aantekenitem in u kluis."
},
"enableGravatars": {
"message": "Aktiveer Gravatars",
"description": "'Gravatar' is the name of a service. See www.gravatar.com"
},
"enableGravatarsDesc": {
"message": "Use avatar images loaded from gravatar.com."
},
"enableFullWidth": {
"message": "Enable Full Width Layout",
"description": "Allows scaling the web vault UI's width"
},
"enableFullWidthDesc": {
"message": "Allow the web vault to expand the full width of the browser window."
},
"default": {
"message": "Verstek"
},
"domainRules": {
"message": "Domeinreëls"
},
"domainRulesDesc": {
"message": "If you have the same login across multiple different website domains, you can mark the website as \"equivalent\". \"Global\" domains are ones already created for you by Bitwarden."
},
"globalEqDomains": {
"message": "Global Equivalent Domains"
},
"customEqDomains": {
"message": "Custom Equivalent Domains"
},
"exclude": {
"message": "Sluit uit"
},
"include": {
"message": "Sluit in"
},
"customize": {
"message": "Pas aan"
},
"newCustomDomain": {
"message": "Nuwe passgemaakte domein"
},
"newCustomDomainDesc": {
"message": "Enter a list of domains separated by commas. Only \"base\" domains are allowed. Do not enter subdomains. For example, enter \"google.com\" instead of \"www.google.com\". You can also enter \"androidapp://package.name\" to associate an android app with other website domains."
},
"customDomainX": {
"message": "Pasgemaakte domein $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"domainsUpdated": {
"message": "Domeine bygewerk"
},
"twoStepLogin": {
"message": "Tweestapaantekening"
},
"twoStepLoginDesc": {
"message": "Secure your account by requiring an additional step when logging in."
},
"twoStepLoginOrganizationDesc": {
"message": "Vereis tweestapsaantekening vir die gebruikers van u organisasie deur aanbieders op organisatievlak in te stel."
},
"twoStepLoginRecoveryWarning": {
"message": "Enabling two-step login can permanently lock you out of your Bitwarden account. A recovery code allows you to access your account in the event that you can no longer use your normal two-step login provider (ex. you lose your device). Bitwarden support will not be able to assist you if you lose access to your account. We recommend you write down or print the recovery code and keep it in a safe place."
},
"viewRecoveryCode": {
"message": "Bekyk terugstelkode"
},
"providers": {
"message": "Aanbieders",
"description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc."
},
"enable": {
"message": "Aktiveer"
},
"enabled": {
"message": "Geaktiveer"
},
"premium": {
"message": "Premie",
"description": "Premium Membership"
},
"premiumMembership": {
"message": "Premie-lidmaatskap"
},
"premiumRequired": {
"message": "Premie word vereis"
},
"premiumRequiredDesc": {
"message": "’n Premie-lidmaatskap is nodig om hierdie funksie te gebruik."
},
"youHavePremiumAccess": {
"message": "U het premie-toegang"
},
"alreadyPremiumFromOrg": {
"message": "U het reeds toegang tot Premie-funksies d.m.v. ’n organisasie waarvan u lid is."
},
"manage": {
"message": "Bestuur"
},
"disable": {
"message": "Deaktiveer"
},
"twoStepLoginProviderEnabled": {
"message": "Hierdie tweestapaantekenaanbieder is vir u rekening geaktiveer."
},
"twoStepLoginAuthDesc": {
"message": "Voer u hoofwagwoord in om tweestapaantekeninstellings te wysig."
},
"twoStepAuthenticatorDesc": {
"message": "Volg hierdie stappe om tweestapaantekening met ’n waarmerktoep op te stel:"
},
"twoStepAuthenticatorDownloadApp": {
"message": "Laai ’n tweestapwaarmerktoep af"
},
"twoStepAuthenticatorNeedApp": {
"message": "Need a two-step authenticator app? Download one of the following"
},
"iosDevices": {
"message": "iOS-toestelle"
},
"androidDevices": {
"message": "Android-toestelle"
},
"windowsDevices": {
"message": "Windows-toestelle"
},
"twoStepAuthenticatorAppsRecommended": {
"message": "These apps are recommended, however, other authenticator apps will also work."
},
"twoStepAuthenticatorScanCode": {
"message": "Skandeer hierdie QR-kode met u waarmerktoep"
},
"key": {
"message": "Sleutel"
},
"twoStepAuthenticatorEnterCode": {
"message": "Enter the resulting 6 digit verification code from the app"
},
"twoStepAuthenticatorReaddDesc": {
"message": "In case you need to add it to another device, below is the QR code (or key) required by your authenticator app."
},
"twoStepDisableDesc": {
"message": "Are you sure you want to disable this two-step login provider?"
},
"twoStepDisabled": {
"message": "Two-step login provider disabled."
},
"twoFactorYubikeyAdd": {
"message": "Add a new YubiKey to your account"
},
"twoFactorYubikeyPlugIn": {
"message": "Plug the YubiKey into your computer's USB port."
},
"twoFactorYubikeySelectKey": {
"message": "Select the first empty YubiKey input field below."
},
"twoFactorYubikeyTouchButton": {
"message": "Touch the YubiKey's button."
},
"twoFactorYubikeySaveForm": {
"message": "Bewaar die vorm."
},
"twoFactorYubikeyWarning": {
"message": "Due to platform limitations, YubiKeys cannot be used on all Bitwarden applications. You should enable another two-step login provider so that you can access your account when YubiKeys cannot be used. Supported platforms:"
},
"twoFactorYubikeySupportUsb": {
"message": "Web vault, desktop application, CLI, and all browser extensions on a device with a USB port that can accept your YubiKey."
},
"twoFactorYubikeySupportMobile": {
"message": "Mobile apps on a device with NFC capabilities or a USB port that can accept your YubiKey."
},
"yubikeyX": {
"message": "YubiKey $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"u2fkeyX": {
"message": "U2F-sleutel $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"webAuthnkeyX": {
"message": "WebAuthn-sleutel $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"nfcSupport": {
"message": "NFC-ondersteuning"
},
"twoFactorYubikeySupportsNfc": {
"message": "Een van my sleutels ondersteun NFC."
},
"twoFactorYubikeySupportsNfcDesc": {
"message": "Indien een van u YubiKeys NFC ondersteun (soos ’n YubiKey NEO) dan word u op ’n mobiele toestel met NFC gevra om dit te gebruik."
},
"yubikeysUpdated": {
"message": "YubiKeys bygewerk"
},
"disableAllKeys": {
"message": "Deaktiveer alle sleutels"
},
"twoFactorDuoDesc": {
"message": "Enter the Bitwarden application information from your Duo Admin panel."
},
"twoFactorDuoIntegrationKey": {
"message": "Integrasiesleutel"
},
"twoFactorDuoSecretKey": {
"message": "Geheime sleutel"
},
"twoFactorDuoApiHostname": {
"message": "API-gasheernaam"
},
"twoFactorEmailDesc": {
"message": "Follow these steps to set up two-step login with email:"
},
"twoFactorEmailEnterEmail": {
"message": "Enter the email that you wish to receive verification codes"
},
"twoFactorEmailEnterCode": {
"message": "Enter the resulting 6 digit verification code from the email"
},
"sendEmail": {
"message": "Stuur e-pos"
},
"twoFactorU2fAdd": {
"message": "Add a FIDO U2F security key to your account"
},
"removeU2fConfirmation": {
"message": "Is u seker u wil hierdie sekuriteitsleutel verwyder?"
},
"twoFactorWebAuthnAdd": {
"message": "Add a WebAuthn security key to your account"
},
"readKey": {
"message": "Lees sleutel"
},
"keyCompromised": {
"message": "Sleutel is blootgestel."
},
"twoFactorU2fGiveName": {
"message": "Give the security key a friendly name to identify it."
},
"twoFactorU2fPlugInReadKey": {
"message": "Plug the security key into your computer's USB port and click the \"Read Key\" button."
},
"twoFactorU2fTouchButton": {
"message": "If the security key has a button, touch it."
},
"twoFactorU2fSaveForm": {
"message": "Bewaar die vorm."
},
"twoFactorU2fWarning": {
"message": "Due to platform limitations, FIDO U2F cannot be used on all Bitwarden applications. You should enable another two-step login provider so that you can access your account when FIDO U2F cannot be used. Supported platforms:"
},
"twoFactorU2fSupportWeb": {
"message": "Web vault and browser extensions on a desktop/laptop with a U2F enabled browser (Chrome, Opera, Vivaldi, or Firefox with FIDO U2F enabled)."
},
"twoFactorU2fWaiting": {
"message": "Waiting for you to touch the button on your security key"
},
"twoFactorU2fClickSave": {
"message": "Click the \"Save\" button below to enable this security key for two-step login."
},
"twoFactorU2fProblemReadingTryAgain": {
"message": "There was a problem reading the security key. Try again."
},
"twoFactorWebAuthnWarning": {
"message": "Due to platform limitations, WebAuthn cannot be used on all Bitwarden applications. You should enable another two-step login provider so that you can access your account when WebAuthn cannot be used. Supported platforms:"
},
"twoFactorWebAuthnSupportWeb": {
"message": "Web vault and browser extensions on a desktop/laptop with a WebAuthn enabled browser (Chrome, Opera, Vivaldi, or Firefox with FIDO U2F enabled)."
},
"twoFactorRecoveryYourCode": {
"message": "Your Bitwarden two-step login recovery code"
},
"twoFactorRecoveryNoCode": {
"message": "You have not enabled any two-step login providers yet. After you have enabled a two-step login provider you can check back here for your recovery code."
},
"printCode": {
"message": "Druk kode af",
"description": "Print 2FA recovery code"
},
"reports": {
"message": "Verslae"
},
"reportsDesc": {
"message": "Identify and close security gaps in your online accounts by clicking the reports below."
},
"unsecuredWebsitesReport": {
"message": "Unsecure Websites"
},
"unsecuredWebsitesReportDesc": {
"message": "URLs that start with http:// don’t use the best available encryption. Change the Login URIs for these accounts to https:// for safer browsing."
},
"unsecuredWebsitesFound": {
"message": "Unsecured Websites Found"
},
"unsecuredWebsitesFoundDesc": {
"message": "We found $COUNT$ items in your vault with unsecured URIs. You should change their URI scheme to https:// if the website allows it.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noUnsecuredWebsites": {
"message": "No items in your vault have unsecured URIs."
},
"inactive2faReport": {
"message": "Inactive Two-step Login"
},
"inactive2faReportDesc": {
"message": "Two-step Login adds a layer of protection to your accounts. Turn on Two-Step Login using Bitwarden Authenticator for these accounts or use an alternative method."
},
"inactive2faFound": {
"message": "Logins Without 2FA Found"
},
"inactive2faFoundDesc": {
"message": "We found $COUNT$ website(s) in your vault that may not be configured with two-factor authentication (according to 2fa.directory). To further protect these accounts, you should enable two-factor authentication.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noInactive2fa": {
"message": "No websites were found in your vault with a missing two-factor authentication configuration."
},
"instructions": {
"message": "Instruksies"
},
"exposedPasswordsReport": {
"message": "Exposed Passwords"
},
"exposedPasswordsReportDesc": {
"message": "Passwords exposed in a data breach are easy targets for attackers. Change these passwords to prevent potential break-ins."
},
"exposedPasswordsFound": {
"message": "Blootgestelde wagwoorde gevind"
},
"exposedPasswordsFoundDesc": {
"message": "Ons het $COUNT$ wagwoorde in u kluis gevind wat in databreuke blootgestel is. U behoort dit te verander en ’n nuwe wagwoord te gebruik.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noExposedPasswords": {
"message": "No items in your vault have passwords that have been exposed in known data breaches."
},
"checkExposedPasswords": {
"message": "Check Exposed Passwords"
},
"exposedXTimes": {
"message": "$COUNT$ keer blootgestel",
"placeholders": {
"count": {
"content": "$1",
"example": "52"
}
}
},
"weakPasswordsReport": {
"message": "Weak Passwords"
},
"weakPasswordsReportDesc": {
"message": "Weak passwords can be easily guessed by attackers. Change these passwords to strong ones using the Password Generator."
},
"weakPasswordsFound": {
"message": "Swak wagwoorde gevind"
},
"weakPasswordsFoundDesc": {
"message": "We found $COUNT$ items in your vault with passwords that are not strong. You should update them to use stronger passwords.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noWeakPasswords": {
"message": "Geen items in u kluis het swak wagwoorde nie."
},
"reusedPasswordsReport": {
"message": "Reused Passwords"
},
"reusedPasswordsReportDesc": {
"message": "Reusing passwords makes it easier for attackers to break into multiple accounts. Change these passwords so that each is unique."
},
"reusedPasswordsFound": {
"message": "Hergebruikte wagwoorde gevind"
},
"reusedPasswordsFoundDesc": {
"message": "Ons het $COUNT$ wagwoorde in u kluis gewind wat hergebruik word. U behoort dit na ’n unieke waarde te verander.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noReusedPasswords": {
"message": "Geen aantekeninge in u kluis het wagwoorde wat hergebruik is nie."
},
"reusedXTimes": {
"message": "$COUNT$ keer hergebruik",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"dataBreachReport": {
"message": "Databreukverslag"
},
"breachDesc": {
"message": "Breached accounts can expose your personal information. Secure breached accounts by enabling 2FA or creating a stronger password."
},
"breachCheckUsernameEmail": {
"message": "Check any usernames or email addresses that you use."
},
"checkBreaches": {
"message": "Check Breaches"
},
"breachUsernameNotFound": {
"message": "$USERNAME$ was not found in any known data breaches.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
}
}
},
"goodNews": {
"message": "Goeie nuus",
"description": "ex. Good News, No Breached Accounts Found!"
},
"breachUsernameFound": {
"message": "$USERNAME$ was found in $COUNT$ different data breaches online.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
},
"count": {
"content": "$2",
"example": "7"
}
}
},
"breachFound": {
"message": "Breached Accounts Found"
},
"compromisedData": {
"message": "Compromised data"
},
"website": {
"message": "Webwerf"
},
"affectedUsers": {
"message": "Gebruikers geraak"
},
"breachOccurred": {
"message": "Breach Occurred"
},
"breachReported": {
"message": "Breuk gerapporteer"
},
"reportError": {
"message": "An error occurred trying to load the report. Try again"
},
"billing": {
"message": "Fakturering"
},
"accountCredit": {
"message": "Account Credit",
"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": "Rekeningbalans",
"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": "Add Credit",
"description": "Add more credit to your account's balance."
},
"amount": {
"message": "Bedrag",
"description": "Dollar amount, or quantity."
},
"creditDelayed": {
"message": "Added credit will appear on your account after the payment has been fully processed. Some payment methods are delayed and can take longer to process than others."
},
"makeSureEnoughCredit": {
"message": "Please make sure that your account has enough credit available for this purchase. If your account does not have enough credit available, your default payment method on file will be used for the difference. You can add credit to your account from the Billing page."
},
"creditAppliedDesc": {
"message": "Your account's credit can be used to make purchases. Any available credit will be automatically applied towards invoices generated for this account."
},
"goPremium": {
"message": "Kry Premie",
"description": "Another way of saying \"Get a premium membership\""
},
"premiumUpdated": {
"message": "U het na premie opgegradeer."
},
"premiumUpgradeUnlockFeatures": {
"message": "Upgrade your account to a premium membership and unlock some great additional features."
},
"premiumSignUpStorage": {
"message": "1 GG geënkripteerde berging vir lêeraanhegsels."
},
"premiumSignUpTwoStep": {
"message": "Bykomende tweestapaantekenopsies soos YubiKey, FIDO U2F en Duo."
},
"premiumSignUpEmergency": {
"message": "Noodtoegang"
},
"premiumSignUpReports": {
"message": "Wagwoordhigiëne, rekeningwelstand en databreukverslae om u kluis veilig te hou."
},
"premiumSignUpTotp": {
"message": "TOTP verification code (2FA) generator for logins in your vault."
},
"premiumSignUpSupport": {
"message": "Klantediens met hoë prioriteit."
},
"premiumSignUpFuture": {
"message": "Alle toekomstige premie-funksies. Binnekort meer!"
},
"premiumPrice": {
"message": "Alles vir slegs $PRICE$ /jaar!",
"placeholders": {
"price": {
"content": "$1",
"example": "$10"
}
}
},
"addons": {
"message": "Toevoegings"
},
"premiumAccess": {
"message": "Premie-toegang"
},
"premiumAccessDesc": {
"message": "You can add premium access to all members of your organization for $PRICE$ /$INTERVAL$.",
"placeholders": {
"price": {
"content": "$1",
"example": "$3.33"
},
"interval": {
"content": "$2",
"example": "'month' or 'year'"
}
}
},
"additionalStorageGb": {
"message": "Bykomende berging (GB)"
},
"additionalStorageGbDesc": {
"message": "# in bykomende GB"
},
"additionalStorageIntervalDesc": {
"message": "Your plan comes with $SIZE$ of encrypted file storage. You can add additional storage for $PRICE$ per GB /$INTERVAL$.",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
},
"price": {
"content": "$2",
"example": "$4.00"
},
"interval": {
"content": "$3",
"example": "'month' or 'year'"
}
}
},
"summary": {
"message": "Opsomming"
},
"total": {
"message": "Totaal"
},
"year": {
"message": "jaar"
},
"month": {
"message": "maand"
},
"monthAbbr": {
"message": "md.",
"description": "Short abbreviation for 'month'"
},
"paymentChargedAnnually": {
"message": "Your payment method will be charged immediately and then on a recurring basis each year. You may cancel at any time."
},
"paymentCharged": {
"message": "Your payment method will be charged immediately and then on a recurring basis each $INTERVAL$. You may cancel at any time.",
"placeholders": {
"interval": {
"content": "$1",
"example": "month or year"
}
}
},
"paymentChargedWithTrial": {
"message": "Your plan comes with a free 7 day trial. Your payment method will not be charged until the trial has ended. You may cancel at any time."
},
"paymentInformation": {
"message": "Betaalinligting"
},
"billingInformation": {
"message": "Faktureringsinligting"
},
"creditCard": {
"message": "Kredietkaart"
},
"paypalClickSubmit": {
"message": "Click the PayPal button to log into your PayPal account, then click the Submit button below to continue."
},
"cancelSubscription": {
"message": "Kanselleer Intekening"
},
"subscriptionCanceled": {
"message": "Die intekening is gekanselleer."
},
"pendingCancellation": {
"message": "Hangende kansellasie"
},
"subscriptionPendingCanceled": {
"message": "Die intekening is gemerk vir kansellasie aan die einde van die huidige faktureringstydperk."
},
"reinstateSubscription": {
"message": "Reinstate Subscription"
},
"reinstateConfirmation": {
"message": "Are you sure you want to remove the pending cancellation request and reinstate your subscription?"
},
"reinstated": {
"message": "The subscription has been reinstated."
},
"cancelConfirmation": {
"message": "Are you sure you want to cancel? You will lose access to all of this subscription's features at the end of this billing cycle."
},
"canceledSubscription": {
"message": "Die intekening is gekanselleer."
},
"neverExpires": {
"message": "Verval nooit"
},
"status": {
"message": "Status"
},
"nextCharge": {
"message": "Next Charge"
},
"details": {
"message": "Details"
},
"downloadLicense": {
"message": "Laai lisensie af"
},
"updateLicense": {
"message": "Werk lisensie by"
},
"updatedLicense": {
"message": "Lisensie bygewerk"
},
"manageSubscription": {
"message": "Bestuur intekening"
},
"storage": {
"message": "Berging"
},
"addStorage": {
"message": "Voeg berging toe"
},
"removeStorage": {
"message": "Verwyder berging"
},
"subscriptionStorage": {
"message": "Your subscription has a total of $MAX_STORAGE$ GB of encrypted file storage. You are currently using $USED_STORAGE$.",
"placeholders": {
"max_storage": {
"content": "$1",
"example": "4"
},
"used_storage": {
"content": "$2",
"example": "65 MB"
}
}
},
"paymentMethod": {
"message": "Betaalmetode"
},
"noPaymentMethod": {
"message": "Geen betaalmetode op lêer."
},
"addPaymentMethod": {
"message": "Voeg betaalmetode toe"
},
"changePaymentMethod": {
"message": "Verander betaalmetode"
},
"invoices": {
"message": "Fakture"
},
"noInvoices": {
"message": "Geen fakture."
},
"paid": {
"message": "Betaal",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"unpaid": {
"message": "Nie betaal",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"transactions": {
"message": "Transaksies",
"description": "Payment/credit transactions."
},
"noTransactions": {
"message": "Geen transaksies."
},
"chargeNoun": {
"message": "Koste",
"description": "Noun. A charge from a payment method."
},
"refundNoun": {
"message": "Terugbetaling",
"description": "Noun. A refunded payment that was charged."
},
"chargesStatement": {
"message": "Any charges will appear on your statement as $STATEMENT_NAME$.",
"placeholders": {
"statement_name": {
"content": "$1",
"example": "BITWARDEN"
}
}
},
"gbStorageAdd": {
"message": "GB of Storage To Add"
},
"gbStorageRemove": {
"message": "GB of Storage To Remove"
},
"storageAddNote": {
"message": "Adding storage will result in adjustments to your billing totals and immediately charge your payment method on file. The first charge will be prorated for the remainder of the current billing cycle."
},
"storageRemoveNote": {
"message": "Removing storage will result in adjustments to your billing totals that will be prorated as credits toward your next billing charge."
},
"adjustedStorage": {
"message": "Adjusted $AMOUNT$ GB of storage.",
"placeholders": {
"amount": {
"content": "$1",
"example": "5"
}
}
},
"contactSupport": {
"message": "Contact Customer Support"
},
"updatedPaymentMethod": {
"message": "Betalingsmetode is bygewerk."
},
"purchasePremium": {
"message": "Koop Premie"
},
"licenseFile": {
"message": "Lisensielêer"
},
"licenseFileDesc": {
"message": "U lisensielêer sal iets soos $FILE_NAME$ genoem wees",
"placeholders": {
"file_name": {
"content": "$1",
"example": "bitwarden_premium_license.json"
}
}
},
"uploadLicenseFilePremium": {
"message": "To upgrade your account to a premium membership you need to upload a valid license file."
},
"uploadLicenseFileOrg": {
"message": "To create an on-premise hosted organization you need to upload a valid license file."
},
"accountEmailMustBeVerified": {
"message": "U rekening se e-posadres moet bevestig word."
},
"newOrganizationDesc": {
"message": "Organizations allow you to share parts of your vault with others as well as manage related users for a specific entity such as a family, small team, or large company."
},
"generalInformation": {
"message": "Algemene Inligting"
},
"organizationName": {
"message": "Organisasienaam"
},
"accountOwnedBusiness": {
"message": "This account is owned by a business."
},
"billingEmail": {
"message": "Billing Email"
},
"businessName": {
"message": "Besigheidnaam"
},
"chooseYourPlan": {
"message": "Kies U Plan"
},
"users": {
"message": "Gebruikers"
},
"userSeats": {
"message": "User Seats"
},
"additionalUserSeats": {
"message": "Bykomende gebruikersplekke"
},
"userSeatsDesc": {
"message": "# gebruikersplekke"
},
"userSeatsAdditionalDesc": {
"message": "Your plan comes with $BASE_SEATS$ user seats. You can add additional users for $SEAT_PRICE$ per user /month.",
"placeholders": {
"base_seats": {
"content": "$1",
"example": "5"
},
"seat_price": {
"content": "$2",
"example": "$2.00"
}
}
},
"userSeatsHowManyDesc": {
"message": "How many user seats do you need? You can also add additional seats later if needed."
},
"planNameFree": {
"message": "Gratis",
"description": "Free as in 'free beer'."
},
"planDescFree": {
"message": "For testing or personal users to share with $COUNT$ other user.",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"planNameFamilies": {
"message": "Gesinne"
},
"planDescFamilies": {
"message": "Vir persoonlike gebruik om met vriende en familie te deel."
},
"planNameTeams": {
"message": "Spanne"
},
"planDescTeams": {
"message": "Vir sake- en ander spanorganisasies."
},
"planNameEnterprise": {
"message": "Onderneming"
},
"planDescEnterprise": {
"message": "Vir sake- en ander groot organisasies."
},
"freeForever": {
"message": "Altyd Gratis"
},
"includesXUsers": {
"message": "sluit $COUNT$ gebruikers in",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"additionalUsers": {
"message": "Bykomende Gebruikers"
},
"costPerUser": {
"message": "$COST$ per gebruiker",
"placeholders": {
"cost": {
"content": "$1",
"example": "$3"
}
}
},
"limitedUsers": {
"message": "Beperk tot $COUNT$ gebruikers (insluitend u)",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"limitedCollections": {
"message": "Beperk tot $COUNT$ verzamelings",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"addShareLimitedUsers": {
"message": "Voeg toe en deel met tot $COUNT$ gebruikers",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"addShareUnlimitedUsers": {
"message": "Voeg toe en deel met onbeperkte gebruikers"
},
"createUnlimitedCollections": {
"message": "Skep onbeperkte versamelings"
},
"gbEncryptedFileStorage": {
"message": "$SIZE$ encrypted file storage",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
}
}
},
"onPremHostingOptional": {
"message": "On-premise hosting (optional)"
},
"usersGetPremium": {
"message": "Users get access to Premium Features"
},
"controlAccessWithGroups": {
"message": "Control user access with Groups"
},
"syncUsersFromDirectory": {
"message": "Sync your users and Groups from a directory"
},
"trackAuditLogs": {
"message": "Track user actions with audit logs"
},
"enforce2faDuo": {
"message": "Enforce 2FA with Duo"
},
"priorityCustomerSupport": {
"message": "Klantediens met hoë prioriteit"
},
"xDayFreeTrial": {
"message": "$COUNT$ day free trial, cancel anytime",
"placeholders": {
"count": {
"content": "$1",
"example": "7"
}
}
},
"monthly": {
"message": "Maandeliks"
},
"annually": {
"message": "Jaarliks"
},
"basePrice": {
"message": "Basisprys"
},
"organizationCreated": {
"message": "Organisasie Geskep"
},
"organizationReadyToGo": {
"message": "U nuwe organisasie is gereed vir gebruik!"
},
"organizationUpgraded": {
"message": "U organisasie is opgegradeer."
},
"leave": {
"message": "Verlaat"
},
"leaveOrganizationConfirmation": {
"message": "Is u seker u wil hierdie organisasie verlaat?"
},
"leftOrganization": {
"message": "U het die organisasie verlaat."
},
"defaultCollection": {
"message": "Verstekversameling"
},
"getHelp": {
"message": "Kry Hulp"
},
"getApps": {
"message": "Kry die Toeps"
},
"loggedInAs": {
"message": "Aangeteken as"
},
"eventLogs": {
"message": "Gebeurtenislogboek"
},
"people": {
"message": "Mense"
},
"policies": {
"message": "Beleide"
},
"singleSignOn": {
"message": "Single Sign-On"
},
"editPolicy": {
"message": "Wysig Beleid"
},
"groups": {
"message": "Groepe"
},
"newGroup": {
"message": "Nuwe Groep"
},
"addGroup": {
"message": "Voeg Groep Toe"
},
"editGroup": {
"message": "Wysig Groep"
},
"deleteGroupConfirmation": {
"message": "Is u seker u wil hierdie groep skrap?"
},
"removeUserConfirmation": {
"message": "Is u seker u wil hierdie gebruiker verwyder?"
},
"removeUserConfirmationKeyConnector": {
"message": "Warning! This user requires Key Connector to manage their encryption. Removing this user from your organization will permanently disable their account. This action cannot be undone. Do you want to proceed?"
},
"externalId": {
"message": "Eksterne ID"
},
"externalIdDesc": {
"message": "U kan die eksterne ID as verwysing gebruik of om hierdie hulpbron aan ’n eksterne stelsel soos ’n gebruikersgids te koppel."
},
"accessControl": {
"message": "Toegangbeheer"
},
"groupAccessAllItems": {
"message": "Hierdie groep het toegang tot alle items en kan dit wysig."
},
"groupAccessSelectedCollections": {
"message": "Hierdie groep het slegs toegang tot die gekose versamelings."
},
"readOnly": {
"message": "Leesalleen"
},
"newCollection": {
"message": "Nuwe Versameling"
},
"addCollection": {
"message": "Voeg Versameling Toe"
},
"editCollection": {
"message": "Wysig Versameling"
},
"deleteCollectionConfirmation": {
"message": "Is u seker u wil hierdie versameling skrap?"
},
"editUser": {
"message": "Wysig Gebruiker"
},
"inviteUser": {
"message": "Nooi Gebruiker Uit"
},
"inviteUserDesc": {
"message": "Invite a new user to your organization by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account."
},
"inviteMultipleEmailDesc": {
"message": "You can invite up to $COUNT$ users at a time by comma separating a list of email addresses.",
"placeholders": {
"count": {
"content": "$1",
"example": "20"
}
}
},
"userUsingTwoStep": {
"message": "This user is using two-step login to protect their account."
},
"userAccessAllItems": {
"message": "Hierdie gebruiker het toegang tot alle items en kan dit wysig."
},
"userAccessSelectedCollections": {
"message": "Hierdie gebruiker het slegs toegang tot die gekose versamelings."
},
"search": {
"message": "Soek"
},
"invited": {
"message": "Genooi"
},
"accepted": {
"message": "Aanvaar"
},
"confirmed": {
"message": "Bevestig"
},
"clientOwnerEmail": {
"message": "Client Owner Email"
},
"owner": {
"message": "Eienaar"
},
"ownerDesc": {
"message": "The highest access user that can manage all aspects of your organization."
},
"clientOwnerDesc": {
"message": "This user should be independent of the Provider. If the Provider is disassociated with the organization, this user will maintain ownership of the organization."
},
"admin": {
"message": "Admin"
},
"adminDesc": {
"message": "Admins can access and manage all items, collections and users in your organization."
},
"user": {
"message": "Gebruiker"
},
"userDesc": {
"message": "A regular user with access to assigned collections in your organization."
},
"manager": {
"message": "Bestuurder"
},
"managerDesc": {
"message": "Bestuurders bestuur en het toegang tot toegewysde versamelings in u organisasie."
},
"all": {
"message": "Alle"
},
"refresh": {
"message": "Verfris"
},
"timestamp": {
"message": "Tydstempel"
},
"event": {
"message": "Gebeurtenis"
},
"unknown": {
"message": "Onbekend"
},
"loadMore": {
"message": "Laai Meer"
},
"mobile": {
"message": "Mobiel",
"description": "Mobile app"
},
"extension": {
"message": "Uitbreiding",
"description": "Browser extension/addon"
},
"desktop": {
"message": "Werkskerm",
"description": "Desktop app"
},
"webVault": {
"message": "Webkluis"
},
"loggedIn": {
"message": "Aangeteken."
},
"changedPassword": {
"message": "Rekeningwagwoord is verander."
},
"enabledUpdated2fa": {
"message": "Tweestapaantekening geaktiveer/bygewerk."
},
"disabled2fa": {
"message": "Tweestapaantekening gedeaktiveer."
},
"recovered2fa": {
"message": "Recovered account from two-step login."
},
"failedLogin": {
"message": "Login attempt failed with incorrect password."
},
"failedLogin2fa": {
"message": "Login attempt failed with incorrect two-step login."
},
"exportedVault": {
"message": "Kluis uitgestuur."
},
"exportedOrganizationVault": {
"message": "Organisasiekluis uitgestuur."
},
"editedOrgSettings": {
"message": "Organisasie-instellings gewysig."
},
"createdItemId": {
"message": "Item $ID$ geskep.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedItemId": {
"message": "Item $ID$ gewysig.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedItemId": {
"message": "Item $ID$ na asblik gestuur.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"movedItemIdToOrg": {
"message": "Moved item $ID$ to an organization.",
"placeholders": {
"id": {
"content": "$1",
"example": "'Google'"
}
}
},
"viewedItemId": {
"message": "Item $ID$ gekyk.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedPasswordItemId": {
"message": "Het wagwoord vir item $ID$ bekyk.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedHiddenFieldItemId": {
"message": "Het versteekte veld vir item $ID$ bekyk.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedSecurityCodeItemId": {
"message": "Het sekerheidskode vir item $ID$ bekyk.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedPasswordItemId": {
"message": "Het wagwoord vir item $ID$ gekopieer.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedHiddenFieldItemId": {
"message": "Het versteekte veld vir item $ID$ gekopieer.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedSecurityCodeItemId": {
"message": "Het sekerheidskode vir item $ID$ gekopieer.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"autofilledItemId": {
"message": "Item $ID$ outomaties ingevul.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"createdCollectionId": {
"message": "Versameling $ID$ geskep.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedCollectionId": {
"message": "Versameling $ID$ gewysig.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"deletedCollectionId": {
"message": "Versameling $ID$ geskrap.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedPolicyId": {
"message": "Beleid $ID$ gewysig.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"createdGroupId": {
"message": "Groep $ID$ geskep.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"editedGroupId": {
"message": "Groep $ID$ gewysig.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"deletedGroupId": {
"message": "Groep $ID$ geskrap.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"removedUserId": {
"message": "Gebruiker $ID$ verwyder.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdAttachmentForItem": {
"message": "Het aanhegsel vir item $ID$ geskep.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedAttachmentForItem": {
"message": "Het aanhegsel vir item $ID$ geskrap.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedCollectionsForItem": {
"message": "Het aanhegsel vir item $ID$ gewysig.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"invitedUserId": {
"message": "Gebruiker $ID$ genooi.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmedUserId": {
"message": "Gebruiker $ID$ is bevestig.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedUserId": {
"message": "Gebruiker $ID$ gewysig.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedGroupsForUser": {
"message": "Groepe vir gebruiker $ID$ gewysig.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"unlinkedSsoUser": {
"message": "Unlinked SSO for user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdOrganizationId": {
"message": "Created organization $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"addedOrganizationId": {
"message": "Added organization $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"removedOrganizationId": {
"message": "Removed organization $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"accessedClientVault": {
"message": "Accessed $ID$ organization vault.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"device": {
"message": "Toestel"
},
"view": {
"message": "Bekyk"
},
"invalidDateRange": {
"message": "Ongeldige datumbereik."
},
"errorOccurred": {
"message": "’n Fout het voorgekom."
},
"userAccess": {
"message": "Gebruikertoegang"
},
"userType": {
"message": "Gebruikertipe"
},
"groupAccess": {
"message": "Groeptoegang"
},
"groupAccessUserDesc": {
"message": "Wysig die groepe waaraan hierdie gebruiker behoort."
},
"invitedUsers": {
"message": "Gebruiker(s) genooi."
},
"resendInvitation": {
"message": "Stuur weer uitnodiging"
},
"resendEmail": {
"message": "Resend Email"
},
"hasBeenReinvited": {
"message": "$USER$ is weer uitgenooi.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirm": {
"message": "Bevestig"
},
"confirmUser": {
"message": "Bevestig Gebruiker"
},
"hasBeenConfirmed": {
"message": "$USER$ is bevestig.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmUsers": {
"message": "Bevestig Gebruikers"
},
"usersNeedConfirmed": {
"message": "U het gebruikers wat die uitnodiging aanvaar het, maar nog bevestig moet word. Gebruikers sal nie toegang tot die organisasie hê tot hulle bevestig is nie."
},
"startDate": {
"message": "Begindatum"
},
"endDate": {
"message": "Einddatum"
},
"verifyEmail": {
"message": "Bevestig e-pos"
},
"verifyEmailDesc": {
"message": "Bevestig u rekening se e-posadres om toegang tot alle funksies te ontgrendel."
},
"verifyEmailFirst": {
"message": "U rekening se e-posadres moet eers bevestig word."
},
"checkInboxForVerification": {
"message": "Check your email inbox for a verification link."
},
"emailVerified": {
"message": "U e-pos is bevestig."
},
"emailVerifiedFailed": {
"message": "Unable to verify your email. Try sending a new verification email."
},
"emailVerificationRequired": {
"message": "Vereis e-posbevestiging"
},
"emailVerificationRequiredDesc": {
"message": "U moet u e-pos bevestig om die funksie te gebruik."
},
"updateBrowser": {
"message": "Werk Blaaier By"
},
"updateBrowserDesc": {
"message": "You are using an unsupported web browser. The web vault may not function properly."
},
"joinOrganization": {
"message": "Join Organization"
},
"joinOrganizationDesc": {
"message": "You've been invited to join the organization listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"inviteAccepted": {
"message": "Uitnodiging is Aanvaar"
},
"inviteAcceptedDesc": {
"message": "You can access this organization once an administrator confirms your membership. We'll send you an email when that happens."
},
"inviteAcceptFailed": {
"message": "Unable to accept invitation. Ask an organization admin to send a new invitation."
},
"inviteAcceptFailedShort": {
"message": "Kan nie uitnodiging aanvaar nie. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"rememberEmail": {
"message": "Remember email"
},
"recoverAccountTwoStepDesc": {
"message": "If you cannot access your account through your normal two-step login methods, you can use your two-step login recovery code to disable all two-step providers on your account."
},
"recoverAccountTwoStep": {
"message": "Recover Account Two-Step Login"
},
"twoStepRecoverDisabled": {
"message": "Tweestapaantekenaanbieder vir u rekening is gedeaktiveer."
},
"learnMore": {
"message": "Leer meer"
},
"deleteRecoverDesc": {
"message": "Enter your email address below to recover and delete your account."
},
"deleteRecoverEmailSent": {
"message": "If your account exists, we've sent you an email with further instructions."
},
"deleteRecoverConfirmDesc": {
"message": "You have requested to delete your Bitwarden account. Click the button below to confirm."
},
"myOrganization": {
"message": "My Organisasie"
},
"deleteOrganization": {
"message": "Skrap Organisasie"
},
"deletingOrganizationContentWarning": {
"message": "Enter the master password to confirm deletion of $ORGANIZATION$ and all associated data. Vault data in $ORGANIZATION$ includes:",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"deletingOrganizationActiveUserAccountsWarning": {
"message": "User accounts will remain active after deletion but will no longer be associated to this organization."
},
"deletingOrganizationIsPermanentWarning": {
"message": "Deleting $ORGANIZATION$ is permanent and irreversible.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"organizationDeleted": {
"message": "Organisasie Geskrap"
},
"organizationDeletedDesc": {
"message": "Die organisasie en alle verwante data is geskrap."
},
"organizationUpdated": {
"message": "Organisasie bygewerk"
},
"taxInformation": {
"message": "Belastinginligting"
},
"taxInformationDesc": {
"message": "For customers within the US, ZIP code is required to satisfy sales tax requirements, for other countries you may optionally provide a tax identification number (VAT/GST) and/or address to appear on your invoices."
},
"billingPlan": {
"message": "Pakket",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlan": {
"message": "Verander Pakket",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlanUpgrade": {
"message": "Upgrade your account to another plan be providing the information below. Please ensure that you have an active payment method added to the account.",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"invoiceNumber": {
"message": "Faktuur #$NUMBER$",
"description": "ex. Invoice #79C66F0-0001",
"placeholders": {
"number": {
"content": "$1",
"example": "79C66F0-0001"
}
}
},
"viewInvoice": {
"message": "Bekyk Faktuur"
},
"downloadInvoice": {
"message": "Laai Faktuur Af"
},
"verifyBankAccount": {
"message": "Bevestig Bankrekening"
},
"verifyBankAccountDesc": {
"message": "We have made two micro-deposits to your bank account (it may take 1-2 business days to show up). Enter these amounts to verify the bank account."
},
"verifyBankAccountInitialDesc": {
"message": "Payment with a bank account is only available to customers in the United States. You will be required to verify your bank account. We will make two micro-deposits within the next 1-2 business days. Enter these amounts on the organization's billing page to verify the bank account."
},
"verifyBankAccountFailureWarning": {
"message": "Failure to verify the bank account will result in a missed payment and your subscription being disabled."
},
"verifiedBankAccount": {
"message": "Bankrekening is bevestig."
},
"bankAccount": {
"message": "Bankrekening"
},
"amountX": {
"message": "Bedrag $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": "Routing Number",
"description": "Bank account routing number"
},
"accountNumber": {
"message": "Rekeningnommer"
},
"accountHolderName": {
"message": "Rekeninghouernaam"
},
"bankAccountType": {
"message": "Rekeningtipe"
},
"bankAccountTypeCompany": {
"message": "Maatskappy (Saaklik)"
},
"bankAccountTypeIndividual": {
"message": "Individueel (Persoonlik)"
},
"enterInstallationId": {
"message": "Enter your installation id"
},
"limitSubscriptionDesc": {
"message": "Set a seat limit for your subscription. Once this limit is reached, you will not be able to invite new users."
},
"maxSeatLimit": {
"message": "Maximum Seat Limit (optional)",
"description": "Upper limit of seats to allow through autoscaling"
},
"maxSeatCost": {
"message": "Max potential seat cost"
},
"addSeats": {
"message": "Add Seats",
"description": "Seat = User Seat"
},
"removeSeats": {
"message": "Remove Seats",
"description": "Seat = User Seat"
},
"subscriptionDesc": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users."
},
"subscriptionUserSeats": {
"message": "Your subscription allows for a total of $COUNT$ users.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"limitSubscription": {
"message": "Limit Subscription (Optional)"
},
"subscriptionSeats": {
"message": "Subscription Seats"
},
"subscriptionUpdated": {
"message": "Subscription updated"
},
"additionalOptions": {
"message": "Additional Options"
},
"additionalOptionsDesc": {
"message": "For additional help in managing your subscription, please contact Customer Support."
},
"subscriptionUserSeatsUnlimitedAutoscale": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users."
},
"subscriptionUserSeatsLimitedAutoscale": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users until your $MAX$ seat limit is reached.",
"placeholders": {
"max": {
"content": "$1",
"example": "50"
}
}
},
"subscriptionFreePlan": {
"message": "You cannot invite more than $COUNT$ users without upgrading your plan.",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"subscriptionFamiliesPlan": {
"message": "You cannot invite more than $COUNT$ users without upgrading your plan. Please contact Customer Support to upgrade.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionSponsoredFamiliesPlan": {
"message": "Your subscription allows for a total of $COUNT$ users. Your plan is sponsored and billed to an external organization.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionMaxReached": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. You cannot invite more than $COUNT$ users without increasing your subscription seats.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"seatsToAdd": {
"message": "Seats To Add"
},
"seatsToRemove": {
"message": "Seats To Remove"
},
"seatsAddNote": {
"message": "Adding user seats will result in adjustments to your billing totals and immediately charge your payment method on file. The first charge will be prorated for the remainder of the current billing cycle."
},
"seatsRemoveNote": {
"message": "Removing user seats will result in adjustments to your billing totals that will be prorated as credits toward your next billing charge."
},
"adjustedSeats": {
"message": "Adjusted $AMOUNT$ user seats.",
"placeholders": {
"amount": {
"content": "$1",
"example": "15"
}
}
},
"keyUpdated": {
"message": "Key Updated"
},
"updateKeyTitle": {
"message": "Werk sleutel by"
},
"updateEncryptionKey": {
"message": "Werk enkripsiesleutel by"
},
"updateEncryptionKeyShortDesc": {
"message": "U gebruik tans ’n verouderde enkripsieskema."
},
"updateEncryptionKeyDesc": {
"message": "We've moved to larger encryption keys that provide better security and access to newer features. Updating your encryption key is quick and easy. Just type your master password below. This update will eventually become mandatory."
},
"updateEncryptionKeyWarning": {
"message": "After updating your encryption key, you are required to log out and back in to all Bitwarden applications that you are currently using (such as the mobile app or browser extensions). Failure to log out and back in (which downloads your new encryption key) may result in data corruption. We will attempt to log you out automatically, however, it may be delayed."
},
"updateEncryptionKeyExportWarning": {
"message": "Enige geënkripteerde uitsture wat u bewaar het word ook ongeldig."
},
"subscription": {
"message": "Intekening"
},
"loading": {
"message": "Laai tans"
},
"upgrade": {
"message": "Gradeer Op"
},
"upgradeOrganization": {
"message": "Gradeer Organisasie Op"
},
"upgradeOrganizationDesc": {
"message": "Hierdie funksie is nie beskikbaar vir gratis organisasies nie. Kry ’n betaalde pakket om nog funksies te ontgrendel."
},
"createOrganizationStep1": {
"message": "Skep Organisasie: Stap 1"
},
"createOrganizationCreatePersonalAccount": {
"message": "U moet eers ’n gratis persoonlike rekening skep voor u u organisasie skep."
},
"refunded": {
"message": "Terugbetaal"
},
"nothingSelected": {
"message": "U het niks gekies nie."
},
"acceptPolicies": {
"message": "Deur hierdie kassie af te merk stem u in tot die volgende:"
},
"acceptPoliciesError": {
"message": "Gebruiksvoorwaardes en privaatheidsbeleid is nie erken nie."
},
"termsOfService": {
"message": "Gebruiksvoorwaardes"
},
"privacyPolicy": {
"message": "Privaatheidsbeleid"
},
"filters": {
"message": "Filters"
},
"vaultTimeout": {
"message": "Kluis-uittel"
},
"vaultTimeoutDesc": {
"message": "Kies wanneer u kluis sal uittel en die gekose aksie sal uitvoer."
},
"oneMinute": {
"message": "1 minuut"
},
"fiveMinutes": {
"message": "5 minute"
},
"fifteenMinutes": {
"message": "15 minute"
},
"thirtyMinutes": {
"message": "30 minute"
},
"oneHour": {
"message": "1 uur"
},
"fourHours": {
"message": "4 uur"
},
"onRefresh": {
"message": "On Browser Refresh"
},
"dateUpdated": {
"message": "Bygewerk",
"description": "ex. Date this item was updated"
},
"datePasswordUpdated": {
"message": "Wagwoord Bygewerk",
"description": "ex. Date this password was updated"
},
"organizationIsDisabled": {
"message": "Organisasie is gedeaktiveer."
},
"licenseIsExpired": {
"message": "Lisensie het verstryk."
},
"updatedUsers": {
"message": "Bygewerkte gebruikers"
},
"selected": {
"message": "Gekose"
},
"ownership": {
"message": "Eienaarskap"
},
"whoOwnsThisItem": {
"message": "Wie besit hierdie item?"
},
"strong": {
"message": "Sterk",
"description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"good": {
"message": "Goed",
"description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weak": {
"message": "Swak",
"description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"veryWeak": {
"message": "Baie Swak",
"description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weakMasterPassword": {
"message": "Swak Hoofwagwoord"
},
"weakMasterPasswordDesc": {
"message": "U gekose hoofwagwoord is te swak. U behoort ’n sterk wagwoord (of ’n wagfrase) te gebruik om u Bitwarden-rekening behoorlik te beveilig. Is u seker u wil hierdie hoofwagwoord gebruik?"
},
"rotateAccountEncKey": {
"message": "Roteer ook my rekening se enrkipsiesleutel"
},
"rotateEncKeyTitle": {
"message": "Roteer Enkripsiesleutel"
},
"rotateEncKeyConfirmation": {
"message": "Is u seker u wil u rekening se enkripsiesleutel roteer?"
},
"attachmentsNeedFix": {
"message": "Hierdie item het ou lêeraanhegsels wat herstel moet word."
},
"attachmentFixDesc": {
"message": "Dit is ’n ou lêeraanhegsel wat herstel moet word. Klik om meer uit te vind."
},
"fix": {
"message": "Herstel",
"description": "This is a verb. ex. 'Fix The Car'"
},
"oldAttachmentsNeedFixDesc": {
"message": "Daar is ou lêeraanhegsels in u kluis wat herstel moet word alvorens u u rekening se enkripsiesleutel kan roteer."
},
"yourAccountsFingerprint": {
"message": "U rekening se vingerafdrukfrase",
"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": "Bevestig die gebruiker se vingerafdrukfrase alvorens voortgegaan word om die integriteit van u enkripsiesleutels te verseker.",
"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": "Moenie weer vra om die vingerafdrukfrase te bevestig nie",
"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": "API-sleutel"
},
"apiKeyDesc": {
"message": "U API-sleutel kan gebruik word om aan die Bitwarden openbare API te bevestig."
},
"apiKeyRotateDesc": {
"message": "Rotasie van die API-sleutel sal die vorige sleutel ongeldig maak. U kan u API-sleutel roteer indien u dink die huidige sleutel is nie meer veilig is vir gebruik nie."
},
"apiKeyWarning": {
"message": "U API-sleutel het volledige toegang tot die organisasie. Dit moet geheim bly."
},
"userApiKeyDesc": {
"message": "U API-sleutel kan gebruik word om in die Bitwarden-CLI te bevestig."
},
"userApiKeyWarning": {
"message": "U API-sleutel is ’n alternatiewe waarmerkmeganisme. Dit moet geheim gehou word."
},
"oauth2ClientCredentials": {
"message": "OAuth 2.0 Client Credentials",
"description": "'OAuth 2.0' is a programming protocol. It should probably not be translated."
},
"viewApiKey": {
"message": "Bekyk API-sleutel"
},
"rotateApiKey": {
"message": "Roteer API-sleutel"
},
"selectOneCollection": {
"message": "U moet ten minste een versameling kies."
},
"couldNotChargeCardPayInvoice": {
"message": "We were not able to charge your card. Please view and pay the unpaid invoice listed below."
},
"inAppPurchase": {
"message": "Toepgebonde Aankope"
},
"cannotPerformInAppPurchase": {
"message": "U kan nie hierdie aksie uitvoer terwyl ’n toepgebonde aankoopmetode gebruik word nie."
},
"manageSubscriptionFromStore": {
"message": "U moet u intekening bestuur vanuit die winkel waarin u toepgebonde aankoop gedoen is."
},
"minLength": {
"message": "Minimum lengte"
},
"clone": {
"message": "Kloon"
},
"masterPassPolicyDesc": {
"message": "Stel minimum vereistes vir hoofwagwoordsterkte."
},
"twoStepLoginPolicyDesc": {
"message": "Vereis tweestapaantekening op gebruikers se persoonlike rekeninge."
},
"twoStepLoginPolicyWarning": {
"message": "Organization members who are not Owners or Administrators and do not have two-step login enabled for their personal account will be removed from the organization and will receive an email notifying them about the change."
},
"twoStepLoginPolicyUserWarning": {
"message": "You are a member of an organization that requires two-step login to be enabled on your user account. If you disable all two-step login providers you will be automatically removed from these organizations."
},
"passwordGeneratorPolicyDesc": {
"message": "Stel minimum vereistes vir opstelling van wagwoordgenereerder."
},
"passwordGeneratorPolicyInEffect": {
"message": "Een of meer organisasiebeleide beïnvloed u genereerderinstellings."
},
"masterPasswordPolicyInEffect": {
"message": "Een of meer organisasiebeleide stel die volgende eise aan u hoofwagwoord:"
},
"policyInEffectMinComplexity": {
"message": "Minimum ingewikkeldheidstelling van $SCORE$",
"placeholders": {
"score": {
"content": "$1",
"example": "4"
}
}
},
"policyInEffectMinLength": {
"message": "Minimum lengte van $LENGTH$",
"placeholders": {
"length": {
"content": "$1",
"example": "14"
}
}
},
"policyInEffectUppercase": {
"message": "Bevat een of meer hoofletterkarakters"
},
"policyInEffectLowercase": {
"message": "Bevat een of meer kleinletterkarakters"
},
"policyInEffectNumbers": {
"message": "Bevat een of meer syfers"
},
"policyInEffectSpecial": {
"message": "Bevat een of meer van die volgende spesiale karakters $CHARS$",
"placeholders": {
"chars": {
"content": "$1",
"example": "!@#$%^&*"
}
}
},
"masterPasswordPolicyRequirementsNotMet": {
"message": "U nuwe hoofwagwoord voldoen nie aan die beleidsvereistes nie."
},
"minimumNumberOfWords": {
"message": "Minimum Aantal Woorde"
},
"defaultType": {
"message": "Verstektipe"
},
"userPreference": {
"message": "Gebruikersvoorkeure"
},
"vaultTimeoutAction": {
"message": "Kluis-uittelaksie"
},
"vaultTimeoutActionLockDesc": {
"message": "Om toegang tot ’n vergendelde kluis te kry moet die hoofwagwoord weer ingevoer word."
},
"vaultTimeoutActionLogOutDesc": {
"message": "Om toegang tot ’n uitgetekende kluis te kry moet u weer waarmerk."
},
"lock": {
"message": "Vergrendel",
"description": "Verb form: to make secure or inaccesible by"
},
"trash": {
"message": "Asblik",
"description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted"
},
"searchTrash": {
"message": "Deursoek Asblik"
},
"permanentlyDelete": {
"message": "Skrap Permanent"
},
"permanentlyDeleteSelected": {
"message": "Skrap Gekose Permanent"
},
"permanentlyDeleteItem": {
"message": "Skrap Item Permanent"
},
"permanentlyDeleteItemConfirmation": {
"message": "Is u seker u wil hierdie item permanent skrap?"
},
"permanentlyDeletedItem": {
"message": "Permanent Geskrapte Item"
},
"permanentlyDeletedItems": {
"message": "Permanent Geskrapte Items"
},
"permanentlyDeleteSelectedItemsDesc": {
"message": "U het $COUNT$ item(s) gekies om permanent te skrap. Is u seker u wil al hierdie items permanent skrap?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"permanentlyDeletedItemId": {
"message": "Permanent Geskrapte Items $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"restore": {
"message": "Stel terug"
},
"restoreSelected": {
"message": "Stel gekose terug"
},
"restoreItem": {
"message": "Stel item terug"
},
"restoredItem": {
"message": "Teruggestelde item"
},
"restoredItems": {
"message": "Teruggestelde items"
},
"restoreItemConfirmation": {
"message": "Is u seker u wil hierdie item terugstel?"
},
"restoreItems": {
"message": "Stel items terug"
},
"restoreSelectedItemsDesc": {
"message": "U het $COUNT$ item(s) gekies om terug te stel. Is u seker u wil al hierdie items terugstel?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"restoredItemId": {
"message": "Item $ID$ teruggestel.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"vaultTimeoutLogOutConfirmation": {
"message": "Deur uit te teken word alle toegang tot u kluis verwyder en word waarmerking na die uitteltydperk vereis. Is u seker u wil hierdie instelling gebruik?"
},
"vaultTimeoutLogOutConfirmationTitle": {
"message": "Uittelaksiebevestiging"
},
"hidePasswords": {
"message": "Versteek wagwoorde"
},
"countryPostalCodeRequiredDesc": {
"message": "Ons benodig hierdie inligting slegs om verkoopsbelasting te bereken en vir finansiële verslaggewing."
},
"includeVAT": {
"message": "Sluit BTW-inligting in (opsioneel)"
},
"taxIdNumber": {
"message": "BTW-nommer"
},
"taxInfoUpdated": {
"message": "Belastinginligting bygewerk."
},
"setMasterPassword": {
"message": "Stel Hoofwagwoord"
},
"ssoCompleteRegistration": {
"message": "Om aantekening met SSO te voltooi moet u ’n hoofwagwoord instel vir toegang tot en beskerming van u kluis."
},
"identifier": {
"message": "Identifiseerder"
},
"organizationIdentifier": {
"message": "Organisasie-identifiseerder"
},
"ssoLogInWithOrgIdentifier": {
"message": "Teken vinnig aan d.m.v. u organisasie se enkelaantekenportaal (SSO). Voer u organisasie se identifiseerder in om te begin."
},
"enterpriseSingleSignOn": {
"message": "Onderneming-enkelaanteken"
},
"ssoHandOff": {
"message": "You may now close this tab and continue in the extension."
},
"includeAllTeamsFeatures": {
"message": "All Teams features, plus:"
},
"includeSsoAuthentication": {
"message": "SSO Authentication via SAML2.0 and OpenID Connect"
},
"includeEnterprisePolicies": {
"message": "Ondernemingsbeleide"
},
"ssoValidationFailed": {
"message": "SSO Validation Failed"
},
"ssoIdentifierRequired": {
"message": "Organisasie-identifiseerder word benodig."
},
"unlinkSso": {
"message": "Unlink SSO"
},
"unlinkSsoConfirmation": {
"message": "Are you sure you want to unlink SSO for this organization?"
},
"linkSso": {
"message": "Link SSO"
},
"singleOrg": {
"message": "Enkele organisasie"
},
"singleOrgDesc": {
"message": "Restrict users from being able to join any other organizations."
},
"singleOrgBlockCreateMessage": {
"message": "U huidige organisasie het ’n beleid wat u nie toelaat om deel te neem aan meer as een organisasie nie. Kontak u organisasie se beheerders of teken aan met’n ander Bitwarden-rekening."
},
"singleOrgPolicyWarning": {
"message": "Organization members who are not Owners or Administrators and are already a member of another organization will be removed from your organization."
},
"requireSso": {
"message": "Single Sign-On Authentication"
},
"requireSsoPolicyDesc": {
"message": "Require users to log in with the Enterprise Single Sign-On method."
},
"prerequisite": {
"message": "Voorvereiste"
},
"requireSsoPolicyReq": {
"message": "The Single Organization enterprise policy must be enabled before activating this policy."
},
"requireSsoPolicyReqError": {
"message": "Single Organization policy not enabled."
},
"requireSsoExemption": {
"message": "Organisasie-eienaars en -administrateurs is vrygestel van die afdwing van hierdie beleid."
},
"sendTypeFile": {
"message": "Lêer"
},
"sendTypeText": {
"message": "Teks"
},
"createSend": {
"message": "Skep nuwe Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editSend": {
"message": "Wysig Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"createdSend": {
"message": "Send geskep",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editedSend": {
"message": "Send gewysig",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletedSend": {
"message": "Send geskrap",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSend": {
"message": "Skrap Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSendConfirmation": {
"message": "Is u seker u wil hierdie Send skrap?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"whatTypeOfSend": {
"message": "Welke tipe Send is dit?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletionDate": {
"message": "Skrapdatum"
},
"deletionDateDesc": {
"message": "Die Send sal outomaties op die aangewese datum en tyd geskrap word.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDate": {
"message": "Vervaldatum"
},
"expirationDateDesc": {
"message": "Indien ingestel sal toegang tot hierdie Send op die aangewese datum en tyd verstryk.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"maxAccessCount": {
"message": "Maksimum toegangsaantal"
},
"maxAccessCountDesc": {
"message": "Indien ingestel het gebruikers ne meer toegang tot hierdie Send sodra die maksimum aantal toegang bereik is.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"currentAccessCount": {
"message": "Huidige toegangsaantal"
},
"sendPasswordDesc": {
"message": "Vereis opsioneel ’n wagwoord vir gebruikers om toegang tot hierdie Send te verkry.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNotesDesc": {
"message": "Privaat notas oor hierdie Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disabled": {
"message": "Gedeaktiveer"
},
"sendLink": {
"message": "Send-skakel",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"copySendLink": {
"message": "Kopieer Send-skakel",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"removePassword": {
"message": "Verwyder wagwoord"
},
"removedPassword": {
"message": "Wagwoord verwyder"
},
"removePasswordConfirmation": {
"message": "Is u seker u wil die wagwoord verwyder?"
},
"hideEmail": {
"message": "Versteek my e-posadres vir ontvangers."
},
"disableThisSend": {
"message": "Deaktiveer hierdie Send sodat niemand toegang daartoe het nie.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"allSends": {
"message": "Alle Sends"
},
"maxAccessCountReached": {
"message": "Maks toegangsaantal bereik",
"description": "This text will be displayed after a Send has been accessed the maximum amount of times."
},
"pendingDeletion": {
"message": "Word geskrap"
},
"expired": {
"message": "Verstreke"
},
"searchSends": {
"message": "Deursoek Sends",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPassword": {
"message": "Hierdie Send is met ’n wagwoord beveilig. Voer die wagwoord hieronder in om woort te gaan.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPasswordDontKnow": {
"message": "Don't know the password? Ask the Sender for the password needed to access this Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendHiddenByDefault": {
"message": "This send is hidden by default. You can toggle its visibility using the button below.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"downloadFile": {
"message": "Laai lêer af"
},
"sendAccessUnavailable": {
"message": "The Send you are trying to access does not exist or is no longer available.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"missingSendFile": {
"message": "The file associated with this Send could not be found.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"noSendsInList": {
"message": "Daar is geen Sends om te lys nie.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"emergencyAccess": {
"message": "Noodtoegang"
},
"emergencyAccessDesc": {
"message": "Grant and manage emergency access for trusted contacts. Trusted contacts may request access to either View or Takeover your account in case of an emergency. Visit our help page for more information and details into how zero knowledge sharing works."
},
"emergencyAccessOwnerWarning": {
"message": "U is die eienaar van een of meer organisasies. Indien u toegang tot oorname aan ’n noodkontak gee, sal hulle na oorname al u toestemmings as eienaar kan gebruik."
},
"trustedEmergencyContacts": {
"message": "Vertroude noodkontakte"
},
"noTrustedContacts": {
"message": "U het nog geen noodkontakte toegevoeg nie, nooi ’n vertroude kontak uit om te begin."
},
"addEmergencyContact": {
"message": "Voeg noodkontak toe"
},
"designatedEmergencyContacts": {
"message": "Toegewys as noodkontak"
},
"noGrantedAccess": {
"message": "U is nog deur niemand as noodkontak toegewys nie."
},
"inviteEmergencyContact": {
"message": "Nooi noodkontak uit"
},
"editEmergencyContact": {
"message": "Wysig noodkontak"
},
"inviteEmergencyContactDesc": {
"message": "Invite a new emergency contact by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account."
},
"emergencyAccessRecoveryInitiated": {
"message": "Noodtoegang geïnisieer"
},
"emergencyAccessRecoveryApproved": {
"message": "Noodtoegang goedgekeur"
},
"viewDesc": {
"message": "Kan alle items in u eie kluis bekyk."
},
"takeover": {
"message": "Oorname"
},
"takeoverDesc": {
"message": "Can reset your account with a new master password."
},
"waitTime": {
"message": "Wagtyd"
},
"waitTimeDesc": {
"message": "Time required before automatically granting access."
},
"oneDay": {
"message": "1 dag"
},
"days": {
"message": "$DAYS$ dae",
"placeholders": {
"days": {
"content": "$1",
"example": "1"
}
}
},
"invitedUser": {
"message": "Genooide gebruiker."
},
"acceptEmergencyAccess": {
"message": "You've been invited to become an emergency contact for the user listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"emergencyInviteAcceptFailed": {
"message": "Unable to accept invitation. Ask the user to send a new invitation."
},
"emergencyInviteAcceptFailedShort": {
"message": "Kan nie uitnodiging aanvaar nie. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"emergencyInviteAcceptedDesc": {
"message": "You can access the emergency options for this user after your identity has been confirmed. We'll send you an email when that happens."
},
"requestAccess": {
"message": "Versoek toegang"
},
"requestAccessConfirmation": {
"message": "Are you sure you want to request emergency access? You will be provided access after $WAITTIME$ day(s) or whenever the user manually approves the request.",
"placeholders": {
"waittime": {
"content": "$1",
"example": "1"
}
}
},
"requestSent": {
"message": "Emergency access requested for $USER$. We'll notify you by email when it's possible to continue.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"approve": {
"message": "Keur goed"
},
"reject": {
"message": "Keur af"
},
"approveAccessConfirmation": {
"message": "Is u seker u wil noodtoegang goedkeur? Hiermee laat u $USER$ toe om u rekening te $ACTION$.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
},
"action": {
"content": "$2",
"example": "View"
}
}
},
"emergencyApproved": {
"message": "Noodtoegang goedgekeur."
},
"emergencyRejected": {
"message": "Noodtoegang afgekeur."
},
"passwordResetFor": {
"message": "Password reset for $USER$. You can now login using the new password.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"personalOwnership": {
"message": "Persoonlike eienaarskap"
},
"personalOwnershipPolicyDesc": {
"message": "Require users to save vault items to an organization by removing the personal ownership option."
},
"personalOwnershipExemption": {
"message": "Organization Owners and Administrators are exempt from this policy's enforcement."
},
"personalOwnershipSubmitError": {
"message": "Weens ’n ondernemingsbeleid mag u geen wagwoorde in u persoonlike kluis bewaar nie. Verander die eienaarskap na ’n organisasie en kies uit ’n van die beskikbare versamelings."
},
"disableSend": {
"message": "Deaktiveer Send"
},
"disableSendPolicyDesc": {
"message": "Do not allow users to create or edit a Bitwarden Send. Deleting an existing Send is still allowed.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disableSendExemption": {
"message": "Organization users that can manage the organization's policies are exempt from this policy's enforcement."
},
"sendDisabled": {
"message": "Send gedeaktiveer",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendDisabledWarning": {
"message": "A.g.v. ’n ondernemingsbeleid kan u slegs ’n bestaande Send skrap.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptions": {
"message": "Send-opsies",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyDesc": {
"message": "Stel opsies in vir die maak en wysig van Sends.",
"description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsExemption": {
"message": "Organization users that can manage the organization's policies are exempt from this policy's enforcement."
},
"disableHideEmail": {
"message": "Do not allow users to hide their email address from recipients when creating or editing a Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyInEffect": {
"message": "The following organization policies are currently in effect:"
},
"sendDisableHideEmailInEffect": {
"message": "Users are not allowed to hide their email address from recipients when creating or editing a Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"modifiedPolicyId": {
"message": "Gewysigde beleid $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"planPrice": {
"message": "Pakketprys"
},
"estimatedTax": {
"message": "Geraamde belasting"
},
"custom": {
"message": "Pasgemaak"
},
"customDesc": {
"message": "Allows more granular control of user permissions for advanced configurations."
},
"permissions": {
"message": "Toestemmings"
},
"accessEventLogs": {
"message": "Access Event Logs"
},
"accessImportExport": {
"message": "Access Import/Export"
},
"accessReports": {
"message": "Access Reports"
},
"missingPermissions": {
"message": "You lack the necessary permissions to perform this action."
},
"manageAllCollections": {
"message": "Bestuur alle versamelings"
},
"createNewCollections": {
"message": "Create New Collections"
},
"editAnyCollection": {
"message": "Edit Any Collection"
},
"deleteAnyCollection": {
"message": "Delete Any Collection"
},
"manageAssignedCollections": {
"message": "Bestuur toegekende versamelings"
},
"editAssignedCollections": {
"message": "Edit Assigned Collections"
},
"deleteAssignedCollections": {
"message": "Delete Assigned Collections"
},
"manageGroups": {
"message": "Bestuur groepe"
},
"managePolicies": {
"message": "Bestuur beleide"
},
"manageSso": {
"message": "Bestuur SSO"
},
"manageUsers": {
"message": "Bestuur gebruikers"
},
"manageResetPassword": {
"message": "Bestuur wagwoordherstel"
},
"disableRequiredError": {
"message": "You must manually disable the $POLICYNAME$ policy before this policy can be disabled.",
"placeholders": {
"policyName": {
"content": "$1",
"example": "Single Sign-On Authentication"
}
}
},
"personalOwnershipPolicyInEffect": {
"message": "’n Organisasiebeleid beïnvloed u eienaarskapopsies."
},
"personalOwnershipPolicyInEffectImports": {
"message": "An organization policy has disabled importing items into your personal vault."
},
"personalOwnershipCheckboxDesc": {
"message": "Deaktiveer persoonlike eienaarskap vir organisasiegebruikers"
},
"textHiddenByDefault": {
"message": "Versteek die teks be verstek wanneer die Send gebruik word",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNameDesc": {
"message": "’n Vriendelike naam om hierdie Send te beskryf.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendTextDesc": {
"message": "Die teks wat u wil verstuur."
},
"sendFileDesc": {
"message": "Die lêer wat u wil verstuur."
},
"copySendLinkOnSave": {
"message": "Kopieer die skakel om hierdie Send te deel tydens bewaar na my knipbord."
},
"sendLinkLabel": {
"message": "Send-skakel",
"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 verstuur gevoelige, tydelike inligting na ander op ’n maklike en veilige manier.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineLearnMore": {
"message": "Leer meer oor",
"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": "Share text or files directly with anyone."
},
"sendVaultCardLearnMore": {
"message": "Leer meer",
"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": "sien",
"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": "hoe dit werk",
"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": "of",
"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": "probeer dit nou",
"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": "of",
"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": "teken in",
"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": "om dit vandag te probeer.",
"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-gebruiker $USER_IDENTIFIER$ het die volgende met u gedeel",
"placeholders": {
"user_identifier": {
"content": "$1",
"example": "An email address"
}
}
},
"viewSendHiddenEmailWarning": {
"message": "The Bitwarden user who created this Send has chosen to hide their email address. You should ensure you trust the source of this link before using or downloading its content.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDateIsInvalid": {
"message": "Die verskafte vervaldatum is ongeldig."
},
"deletionDateIsInvalid": {
"message": "Die verskafte skrapdatum is ongeldig."
},
"expirationDateAndTimeRequired": {
"message": "’n Vervaldatum en -tyd word vereis."
},
"deletionDateAndTimeRequired": {
"message": "’n Skrapdatum en -tyd word vereis."
},
"dateParsingError": {
"message": "There was an error saving your deletion and expiration dates."
},
"webAuthnFallbackMsg": {
"message": "To verify your 2FA please click the button below."
},
"webAuthnAuthenticate": {
"message": "Waarmerk WebAuthn"
},
"webAuthnNotSupported": {
"message": "WebAuthn word nie in hierdie blaaier ondersteun nie."
},
"webAuthnSuccess": {
"message": "WebAuthn is suksesvol bevestig! U kan hierdie oortjie sluit."
},
"hintEqualsPassword": {
"message": "U wagwoordwenk kan nie dieselfde as u wagwoord wees nie."
},
"enrollPasswordReset": {
"message": "Skryf in vir wagwoordterugstel"
},
"enrolledPasswordReset": {
"message": "Ingeskryf vir wagwoordterugstel"
},
"withdrawPasswordReset": {
"message": "Withdraw from Password Reset"
},
"enrollPasswordResetSuccess": {
"message": "Suksesvol ingeskryf!"
},
"withdrawPasswordResetSuccess": {
"message": "Withdrawal success!"
},
"eventEnrollPasswordReset": {
"message": "Gebruiker $ID$ het vir wagwoordterugstelbystand ingeskryf.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventWithdrawPasswordReset": {
"message": "User $ID$ withdrew from password reset assistance.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventAdminPasswordReset": {
"message": "Master password reset for user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventResetSsoLink": {
"message": "Reset Sso link for user $ID$",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"firstSsoLogin": {
"message": "$ID$ logged in using Sso for the first time",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"resetPassword": {
"message": "Herstel wagwoord"
},
"resetPasswordLoggedOutWarning": {
"message": "Proceeding will log $NAME$ out of their current session, requiring them to log back in. Active sessions on other devices may continue to remain active for up to one hour.",
"placeholders": {
"name": {
"content": "$1",
"example": "John Smith"
}
}
},
"thisUser": {
"message": "hierdie gebruiker"
},
"resetPasswordMasterPasswordPolicyInEffect": {
"message": "Een of meer organisasiebeleide stel die volgende eise aan die hoofwagwoord:"
},
"resetPasswordSuccess": {
"message": "Password reset success!"
},
"resetPasswordEnrollmentWarning": {
"message": "Inskrywing stel organisasiebeheerders in staat om y hoofwagwoord te wysig. Is u seker u wil inskryf?"
},
"resetPasswordPolicy": {
"message": "Bestuur wagwoordherstel"
},
"resetPasswordPolicyDescription": {
"message": "Allow administrators in the organization to reset organization users' master password."
},
"resetPasswordPolicyWarning": {
"message": "Gebruikers in die organisasie sal self moet inskryf of moet outomaties ingeskryf word voor beheerders hul hoofwagwoord sal kan terugstel."
},
"resetPasswordPolicyAutoEnroll": {
"message": "Outomatiese inskrywing"
},
"resetPasswordPolicyAutoEnrollDescription": {
"message": "Alle gebruikers sal outomaties in wagwoordterugstel ingeskryf word sodra hul uitnodiging aanvaar is; hulle sal nie kan onttrek nie."
},
"resetPasswordPolicyAutoEnrollWarning": {
"message": "Gebruikers wat reeds in die organisasie is sal nie terugwerkend vir wagwoordterugstel ingeskryf word nie. Hulle sal self moet inskryf voor beheerders hul hoofwagwoord kan terugstel."
},
"resetPasswordPolicyAutoEnrollCheckbox": {
"message": "Vereis dat nuwe gebruikers outomaties ingeskryf word"
},
"resetPasswordAutoEnrollInviteWarning": {
"message": "Hierdie organisasie het ’n ondernemingsbeleid wat u outomaties inskryf in die terugstel van u wagwoord. Inskrywing stel organisasiebeheerders in staat om u hoofwagwoord te wysig."
},
"resetPasswordOrgKeysError": {
"message": "Organization Keys response is null"
},
"resetPasswordDetailsError": {
"message": "Reset Password Details response is null"
},
"trashCleanupWarning": {
"message": "Items wat vir langer as 30 dae in die asblik was sal outomaties geskrap word."
},
"trashCleanupWarningSelfHosted": {
"message": "Items wat vir ’n wyle in die asblik was sal outomaties geskrap word."
},
"passwordPrompt": {
"message": "Vra weer vir hoofwagwoord"
},
"passwordConfirmation": {
"message": "Hoofwagwoordbevestiging"
},
"passwordConfirmationDesc": {
"message": "Hierdie aksie is beskerm. Voer u hoofwagwoord in om u identiteit te bevestig om voort te gaan."
},
"reinviteSelected": {
"message": "Stuur weer uitnodigings"
},
"noSelectedUsersApplicable": {
"message": "Hierdie aktie is nie van toepassing op die gekose gebruikers nie."
},
"removeUsersWarning": {
"message": "Is u seker u wil die volgende gebruikers verwyder? Die proses duur enkele sekondes en kan nie onderbreek of gekanselleer word nie."
},
"theme": {
"message": "Theme"
},
"themeDesc": {
"message": "Choose a theme for your web vault."
},
"themeSystem": {
"message": "Use System Theme"
},
"themeDark": {
"message": "Dark"
},
"themeLight": {
"message": "Light"
},
"confirmSelected": {
"message": "Bevestig keuse"
},
"bulkConfirmStatus": {
"message": "Grootmaataksie status"
},
"bulkConfirmMessage": {
"message": "Suksesvol bevestig."
},
"bulkReinviteMessage": {
"message": "Suksesvol heruitgenooi."
},
"bulkRemovedMessage": {
"message": "Suksesvol verwyder"
},
"bulkFilteredMessage": {
"message": "Uitgesluit, nie van toepassing vir hierdie aksie."
},
"fingerprint": {
"message": "Vingerafdruk"
},
"removeUsers": {
"message": "Verwyder gebruikers"
},
"error": {
"message": "Fout"
},
"resetPasswordManageUsers": {
"message": "Bestuur gebruikers moet geaktiveer wees met die Wagwoordherstel-toestemming"
},
"setupProvider": {
"message": "Provider Setup"
},
"setupProviderLoginDesc": {
"message": "You've been invited to setup a new provider. To continue, you need to log in or create a new Bitwarden account."
},
"setupProviderDesc": {
"message": "Please enter the details below to complete the provider setup. Contact Customer Support if you have any questions."
},
"providerName": {
"message": "Provider Name"
},
"providerSetup": {
"message": "The provider has been set up."
},
"clients": {
"message": "Clients"
},
"providerAdmin": {
"message": "Provider Admin"
},
"providerAdminDesc": {
"message": "The highest access user that can manage all aspects of your provider as well as access and manage client organizations."
},
"serviceUser": {
"message": "Service User"
},
"serviceUserDesc": {
"message": "Service users can access and manage all client organizations."
},
"providerInviteUserDesc": {
"message": "Invite a new user to your provider by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account."
},
"joinProvider": {
"message": "Join Provider"
},
"joinProviderDesc": {
"message": "You've been invited to join the provider listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"providerInviteAcceptFailed": {
"message": "Unable to accept invitation. Ask a provider admin to send a new invitation."
},
"providerInviteAcceptedDesc": {
"message": "You can access this provider once an administrator confirms your membership. We'll send you an email when that happens."
},
"providerUsersNeedConfirmed": {
"message": "You have users that have accepted their invitation, but still need to be confirmed. Users will not have access to the provider until they are confirmed."
},
"provider": {
"message": "Provider"
},
"newClientOrganization": {
"message": "New Client Organization"
},
"newClientOrganizationDesc": {
"message": "Create a new client organization that will be associated with you as the provider. You will be able to access and manage this organization."
},
"addExistingOrganization": {
"message": "Add Existing Organization"
},
"myProvider": {
"message": "My Provider"
},
"addOrganizationConfirmation": {
"message": "Are you sure you want to add $ORGANIZATION$ as a client to $PROVIDER$?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
},
"provider": {
"content": "$2",
"example": "My Provider Name"
}
}
},
"organizationJoinedProvider": {
"message": "Organization was successfully added to the provider"
},
"accessingUsingProvider": {
"message": "Accessing organization using provider $PROVIDER$",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"providerIsDisabled": {
"message": "Provider is disabled."
},
"providerUpdated": {
"message": "Provider updated"
},
"yourProviderIs": {
"message": "Your provider is $PROVIDER$. They have administrative and billing privileges for your organization.",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"detachedOrganization": {
"message": "The organization $ORGANIZATION$ has been detached from your provider.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"detachOrganizationConfirmation": {
"message": "Are you sure you want to detach this organization? The organization will continue to exist but will no longer be managed by the provider."
},
"add": {
"message": "Add"
},
"updatedMasterPassword": {
"message": "Updated Master Password"
},
"updateMasterPassword": {
"message": "Update Master Password"
},
"updateMasterPasswordWarning": {
"message": "Your Master Password was recently changed by an administrator in your organization. In order to access the vault, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour."
},
"masterPasswordInvalidWarning": {
"message": "Your Master Password does not meet the policy requirements of this organization. In order to join the organization, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour."
},
"maximumVaultTimeout": {
"message": "Vault Timeout"
},
"maximumVaultTimeoutDesc": {
"message": "Configure a maximum vault timeout for all users."
},
"maximumVaultTimeoutLabel": {
"message": "Maximum Vault Timeout"
},
"invalidMaximumVaultTimeout": {
"message": "Invalid Maximum Vault Timeout."
},
"hours": {
"message": "Hours"
},
"minutes": {
"message": "Minutes"
},
"vaultTimeoutPolicyInEffect": {
"message": "Your organization policies are affecting your vault timeout. Maximum allowed Vault Timeout is $HOURS$ hour(s) and $MINUTES$ minute(s)",
"placeholders": {
"hours": {
"content": "$1",
"example": "5"
},
"minutes": {
"content": "$2",
"example": "5"
}
}
},
"customVaultTimeout": {
"message": "Custom Vault Timeout"
},
"vaultTimeoutToLarge": {
"message": "Your vault timeout exceeds the restriction set by your organization."
},
"disablePersonalVaultExport": {
"message": "Disable Personal Vault Export"
},
"disablePersonalVaultExportDesc": {
"message": "Prohibits users from exporting their private vault data."
},
"vaultExportDisabled": {
"message": "Vault Export Disabled"
},
"personalVaultExportPolicyInEffect": {
"message": "One or more organization policies prevents you from exporting your personal vault."
},
"selectType": {
"message": "Select SSO Type"
},
"type": {
"message": "Type"
},
"openIdConnectConfig": {
"message": "OpenID Connect Configuration"
},
"samlSpConfig": {
"message": "SAML Service Provider Configuration"
},
"samlIdpConfig": {
"message": "SAML Identity Provider Configuration"
},
"callbackPath": {
"message": "Callback Path"
},
"signedOutCallbackPath": {
"message": "Signed Out Callback Path"
},
"authority": {
"message": "Authority"
},
"clientId": {
"message": "Client ID"
},
"clientSecret": {
"message": "Client Secret"
},
"metadataAddress": {
"message": "Metadata Address"
},
"oidcRedirectBehavior": {
"message": "OIDC Redirect Behavior"
},
"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": "The Bitwarden for Families plan include"
},
"sponsoredFamiliesPremiumAccess": {
"message": "Premium access for up to 6 users"
},
"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": "Unable to accept offer. Please resend the offer email from your enterprise account and try again."
},
"sponsoredFamiliesAcceptFailedShort": {
"message": "Unable to accept offer. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must have at least one existing Families Organization."
}
}
},
"sponsoredFamiliesOffer": {
"message": "Accept Free Bitwarden Families"
},
"sponsoredFamiliesOfferRedeemed": {
"message": "Free Bitwarden Families offer successfully redeemed"
},
"redeemed": {
"message": "Redeemed"
},
"redeemedAccount": {
"message": "Redeemed Account"
},
"revokeAccount": {
"message": "Revoke account $NAME$",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"resendEmailLabel": {
"message": "Resend Sponsorship email to $NAME$ sponsorship",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"freeFamiliesPlan": {
"message": "Free Families Plan"
},
"redeemNow": {
"message": "Redeem Now"
},
"recipient": {
"message": "Recipient"
},
"removeSponsorship": {
"message": "Remove Sponsorship"
},
"removeSponsorshipConfirmation": {
"message": "After removing a sponsorship, you will be responsible for this subscription and related invoices. Are you sure you want to continue?"
},
"sponsorshipCreated": {
"message": "Sponsorship Created"
},
"revoke": {
"message": "Revoke"
},
"emailSent": {
"message": "Email Sent"
},
"revokeSponsorshipConfirmation": {
"message": "After removing this account, the Families organization owner will be responsible for this subscription and related invoices. Are you sure you want to continue?"
},
"removeSponsorshipSuccess": {
"message": "Sponsorship Removed"
},
"ssoKeyConnectorUnavailable": {
"message": "Unable to reach the Key Connector, try again later."
},
"keyConnectorUrl": {
"message": "Key Connector URL"
},
"sendVerificationCode": {
"message": "Send a verification code to your email"
},
"sendCode": {
"message": "Send Code"
},
"codeSent": {
"message": "Code Sent"
},
"verificationCode": {
"message": "Verification Code"
},
"confirmIdentity": {
"message": "Confirm your identity to continue."
},
"verificationCodeRequired": {
"message": "Verification code is required."
},
"invalidVerificationCode": {
"message": "Invalid verification code"
},
"convertOrganizationEncryptionDesc": {
"message": "$ORGANIZATION$ is using SSO with a self-hosted key server. A master password is no longer required to log in for members of this organization.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"leaveOrganization": {
"message": "Leave Organization"
},
"removeMasterPassword": {
"message": "Remove Master Password"
},
"removedMasterPassword": {
"message": "Master password removed."
},
"allowSso": {
"message": "Allow SSO authentication"
},
"allowSsoDesc": {
"message": "Once set up, your configuration will be saved and members will be able to authenticate using their Identity Provider credentials."
},
"ssoPolicyHelpStart": {
"message": "Enable the",
"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 Authentication policy",
"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": "to require all members to log in with 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": "SSO Authentication and Single Organization policies are required to set up Key Connector decryption."
},
"memberDecryptionOption": {
"message": "Member Decryption Options"
},
"memberDecryptionPassDesc": {
"message": "Once authenticated, members will decrypt vault data using their Master Passwords."
},
"keyConnector": {
"message": "Key Connector"
},
"memberDecryptionKeyConnectorDesc": {
"message": "Connect Login with SSO to your self-hosted decryption key server. Using this option, members won’t need to use their Master Passwords to decrypt vault data. Contact Bitwarden Support for set up assistance."
},
"keyConnectorPolicyRestriction": {
"message": "\"Login with SSO and Key Connector Decryption\" is enabled. This policy will only apply to Owners and Admins."
},
"enabledSso": {
"message": "Enabled SSO"
},
"disabledSso": {
"message": "Disabled SSO"
},
"enabledKeyConnector": {
"message": "Enabled Key Connector"
},
"disabledKeyConnector": {
"message": "Disabled Key Connector"
},
"keyConnectorWarning": {
"message": "Once members begin using Key Connector, your Organization cannot revert to Master Password decryption. Proceed only if you are comfortable deploying and managing a key server."
},
"migratedKeyConnector": {
"message": "Migrated to Key Connector"
},
"paymentSponsored": {
"message": "Please provide a payment method to associate with the organization. Don't worry, we won't charge you anything unless you select additional features or your sponsorship expires. "
},
"orgCreatedSponsorshipInvalid": {
"message": "The sponsorship offer has expired. You may delete the organization you created to avoid a charge at the end of your 7 day trial. Otherwise you may close this prompt to keep the organization and assume billing responsibility."
},
"newFamiliesOrganization": {
"message": "New Families Organization"
},
"acceptOffer": {
"message": "Accept Offer"
},
"sponsoringOrg": {
"message": "Sponsoring Organization"
},
"keyConnectorTest": {
"message": "Test"
},
"keyConnectorTestSuccess": {
"message": "Success! Key Connector reached."
},
"keyConnectorTestFail": {
"message": "Cannot reach Key Connector. Check URL."
},
"sponsorshipTokenHasExpired": {
"message": "The sponsorship offer has expired."
},
"freeWithSponsorship": {
"message": "FREE with sponsorship"
},
"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": "Your session has timed out. Please go back and try logging in again."
},
"exportingPersonalVaultTitle": {
"message": "Exporting Personal Vault"
},
"exportingOrganizationVaultTitle": {
"message": "Exporting Organization Vault"
},
"exportingPersonalVaultDescription": {
"message": "Only the personal vault items associated with $EMAIL$ will be exported. Organization vault items will not be included.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
}
}
},
"exportingOrganizationVaultDescription": {
"message": "Only the organization vault associated with $ORGANIZATION$ will be exported. Personal vault items and items from other organizations will not be included.",
"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/af/messages.json/0 | {
"file_path": "bitwarden/web/src/locales/af/messages.json",
"repo_id": "bitwarden",
"token_count": 54645
} | 152 |
{
"pageTitle": {
"message": "$APP_NAME$ Veebihoidla",
"description": "The title of the website in the browser window.",
"placeholders": {
"app_name": {
"content": "$1",
"example": "Bitwarden"
}
}
},
"whatTypeOfItem": {
"message": "Mis tüüpi kirje see on?"
},
"name": {
"message": "Nimi"
},
"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": "Uus URI"
},
"username": {
"message": "Kasutajanimi"
},
"password": {
"message": "Parool"
},
"newPassword": {
"message": "Uus Parool"
},
"passphrase": {
"message": "Paroolifraas"
},
"notes": {
"message": "Märkmed"
},
"customFields": {
"message": "Kohandatud väljad"
},
"cardholderName": {
"message": "Kaardiomaniku nimi"
},
"number": {
"message": "Kaardi number"
},
"brand": {
"message": "Väljastaja"
},
"expiration": {
"message": "Aegumiskuupäev"
},
"securityCode": {
"message": "Kaardi turvakood (CVV)"
},
"identityName": {
"message": "Identiteedi nimi"
},
"company": {
"message": "Ettevõte"
},
"ssn": {
"message": "Isikukood"
},
"passportNumber": {
"message": "Passi number"
},
"licenseNumber": {
"message": "Litsentsi number"
},
"email": {
"message": "E-post"
},
"phone": {
"message": "Telefoninumber"
},
"january": {
"message": "Jaanuar"
},
"february": {
"message": "Veebruar"
},
"march": {
"message": "Märts"
},
"april": {
"message": "Aprill"
},
"may": {
"message": "Mai"
},
"june": {
"message": "Juuni"
},
"july": {
"message": "Juuli"
},
"august": {
"message": "August"
},
"september": {
"message": "September"
},
"october": {
"message": "Oktoober"
},
"november": {
"message": "November"
},
"december": {
"message": "Detsember"
},
"title": {
"message": "Pealkiri"
},
"mr": {
"message": "Hr"
},
"mrs": {
"message": "Mrs"
},
"ms": {
"message": "Pr"
},
"dr": {
"message": "Dr"
},
"expirationMonth": {
"message": "Aegumise kuu"
},
"expirationYear": {
"message": "Aegumise aasta"
},
"authenticatorKeyTotp": {
"message": "Autentimise võti (TOTP)"
},
"folder": {
"message": "Kaust"
},
"newCustomField": {
"message": "Uus kohandatud väli"
},
"value": {
"message": "Väärtus"
},
"dragToSort": {
"message": "Lohista sorteerimiseks"
},
"cfTypeText": {
"message": "Tekst"
},
"cfTypeHidden": {
"message": "Peidetud"
},
"cfTypeBoolean": {
"message": "Boolean"
},
"cfTypeLinked": {
"message": "Ühenduses",
"description": "This describes a field that is 'linked' (related) to another field."
},
"remove": {
"message": "Eemalda"
},
"unassigned": {
"message": "Määramata"
},
"noneFolder": {
"message": "Kaust puudub",
"description": "This is the folder for uncategorized items"
},
"addFolder": {
"message": "Kausta lisamine"
},
"editFolder": {
"message": "Muuda kausta"
},
"baseDomain": {
"message": "Baasdomeen",
"description": "Domain name. Ex. website.com"
},
"domainName": {
"message": "Domeeni nimi",
"description": "Domain name. Ex. website.com"
},
"host": {
"message": "Host",
"description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'."
},
"exact": {
"message": "Täpne"
},
"startsWith": {
"message": "Algab"
},
"regEx": {
"message": "RegEx",
"description": "A programming term, also known as 'RegEx'."
},
"matchDetection": {
"message": "Sobivuse tuvastamine",
"description": "URI match detection for auto-fill."
},
"defaultMatchDetection": {
"message": "Tavaline sobivuse tuvastamine",
"description": "Default URI match detection for auto-fill."
},
"never": {
"message": "Ära tuvasta"
},
"toggleVisibility": {
"message": "Näita sisu"
},
"toggleCollapse": {
"message": "Ava",
"description": "Toggling an expand/collapse state."
},
"generatePassword": {
"message": "Loo parool"
},
"checkPassword": {
"message": "Vaata, kas parool on lekkinud."
},
"passwordExposed": {
"message": "See parool on erinevates andmeleketes kokku $VALUE$ korda lekkinud. Peaksid selle ära muutma.",
"placeholders": {
"value": {
"content": "$1",
"example": "2"
}
}
},
"passwordSafe": {
"message": "Seda parooli ei õnnestu andmeleketest leida. Parooli edasi kasutamine peaks olema turvaline."
},
"save": {
"message": "Salvesta"
},
"cancel": {
"message": "Tühista"
},
"canceled": {
"message": "Tühistatud"
},
"close": {
"message": "Sulge"
},
"delete": {
"message": "Kustuta"
},
"favorite": {
"message": "Lemmik"
},
"unfavorite": {
"message": "Eemalda lemmikutest"
},
"edit": {
"message": "Muuda"
},
"searchCollection": {
"message": "Otsi kogumikku"
},
"searchFolder": {
"message": "Otsi andmeid"
},
"searchFavorites": {
"message": "Otsi lemmikute hulgast"
},
"searchType": {
"message": "Otsingu tüüp",
"description": "Search item type"
},
"searchVault": {
"message": "Otsi hoidlast"
},
"allItems": {
"message": "Kõik kirjed"
},
"favorites": {
"message": "Lemmikud"
},
"types": {
"message": "Tüübid"
},
"typeLogin": {
"message": "Kasutajakonto andmed"
},
"typeCard": {
"message": "Pangakaart"
},
"typeIdentity": {
"message": "Identiteet"
},
"typeSecureNote": {
"message": "Turvaline märkus"
},
"typeLoginPlural": {
"message": "Kontod"
},
"typeCardPlural": {
"message": "Kaardid"
},
"typeIdentityPlural": {
"message": "Identiteedid"
},
"typeSecureNotePlural": {
"message": "Turvalised märkmed"
},
"folders": {
"message": "Kaustad"
},
"collections": {
"message": "Kogumikud"
},
"firstName": {
"message": "Eesnimi"
},
"middleName": {
"message": "Teine eesnimi"
},
"lastName": {
"message": "Perekonnanimi"
},
"fullName": {
"message": "Täisnimi"
},
"address1": {
"message": "Aadress 1"
},
"address2": {
"message": "Aadress 2"
},
"address3": {
"message": "Aadress 3"
},
"cityTown": {
"message": "Linn / asula"
},
"stateProvince": {
"message": "Maakond / vald"
},
"zipPostalCode": {
"message": "Postiindeks"
},
"country": {
"message": "Riik"
},
"shared": {
"message": "Jagatud"
},
"attachments": {
"message": "Manused"
},
"select": {
"message": "Vali"
},
"addItem": {
"message": "Lisa kirje"
},
"editItem": {
"message": "Kirje muutmine"
},
"viewItem": {
"message": "Kirje vaatamine"
},
"ex": {
"message": "nt.",
"description": "Short abbreviation for 'example'."
},
"other": {
"message": "Muu"
},
"share": {
"message": "Jaga"
},
"moveToOrganization": {
"message": "Teisalda organisatsiooni"
},
"valueCopied": {
"message": "$VALUE$ on kopeeritud",
"description": "Value has been copied to the clipboard.",
"placeholders": {
"value": {
"content": "$1",
"example": "Password"
}
}
},
"copyValue": {
"message": "Kopeeri kirje",
"description": "Copy value to clipboard"
},
"copyPassword": {
"message": "Kopeeri parool",
"description": "Copy password to clipboard"
},
"copyUsername": {
"message": "Kopeeri kasutajanimi",
"description": "Copy username to clipboard"
},
"copyNumber": {
"message": "Kopeeri number",
"description": "Copy credit card number"
},
"copySecurityCode": {
"message": "Kopeeri turvakood",
"description": "Copy credit card security code (CVV)"
},
"copyUri": {
"message": "Kopeeri URI",
"description": "Copy URI to clipboard"
},
"myVault": {
"message": "Minu hoidla"
},
"vault": {
"message": "Hoidla"
},
"moveSelectedToOrg": {
"message": "Teisalda valitud organisatsiooni"
},
"deleteSelected": {
"message": "Kustuta valitud"
},
"moveSelected": {
"message": "Liiguta valitud"
},
"selectAll": {
"message": "Vali kõik"
},
"unselectAll": {
"message": "Tühista valik"
},
"launch": {
"message": "Ava"
},
"newAttachment": {
"message": "Lisa uus manus"
},
"deletedAttachment": {
"message": "Manus on kustutatud"
},
"deleteAttachmentConfirmation": {
"message": "Oled kindel, et soovid manuse kustutada?"
},
"attachmentSaved": {
"message": "Manus on salvestatud."
},
"file": {
"message": "Fail"
},
"selectFile": {
"message": "Vali fail."
},
"maxFileSize": {
"message": "Maksimaalne faili suurus on 500 MB."
},
"updateKey": {
"message": "Seda funktsiooni ei saa enne krüpteerimise võtme uuendamist kasutada."
},
"addedItem": {
"message": "Kirje on lisatud"
},
"editedItem": {
"message": "Kirje on muudetud"
},
"movedItemToOrg": {
"message": "$ITEMNAME$ teisaldati $ORGNAME$",
"placeholders": {
"itemname": {
"content": "$1",
"example": "Secret Item"
},
"orgname": {
"content": "$2",
"example": "Company Name"
}
}
},
"movedItemsToOrg": {
"message": "Valitud kirjed teisaldati $ORGNAME$-le",
"placeholders": {
"orgname": {
"content": "$1",
"example": "Company Name"
}
}
},
"deleteItem": {
"message": "Kustuta kirje"
},
"deleteFolder": {
"message": "Kustuta kaust"
},
"deleteAttachment": {
"message": "Kustuta manus"
},
"deleteItemConfirmation": {
"message": "Soovid tõesti selle kirje kustutada?"
},
"deletedItem": {
"message": "Kirje on prügikasti teisaldatud"
},
"deletedItems": {
"message": "Kirjed on prügikasti teisaldatud"
},
"movedItems": {
"message": "Kirjed on teisaldatud"
},
"overwritePasswordConfirmation": {
"message": "Oled kindel, et soovid olemas olevat parooli üle kirjutada?"
},
"editedFolder": {
"message": "Kaust on muudetud"
},
"addedFolder": {
"message": "Kaust on lisatud"
},
"deleteFolderConfirmation": {
"message": "Oled kindel, et soovid seda kausta kustutada?"
},
"deletedFolder": {
"message": "Kaust on kustutatud"
},
"loggedOut": {
"message": "Välja logitud"
},
"loginExpired": {
"message": "Sessioon on aegunud."
},
"logOutConfirmation": {
"message": "Oled kindel, et soovid välja logida?"
},
"logOut": {
"message": "Logi välja"
},
"ok": {
"message": "Ok"
},
"yes": {
"message": "Jah"
},
"no": {
"message": "Ei"
},
"loginOrCreateNewAccount": {
"message": "Logi sisse või loo uus konto."
},
"createAccount": {
"message": "Konto loomine"
},
"logIn": {
"message": "Logi sisse"
},
"submit": {
"message": "Kinnita"
},
"emailAddressDesc": {
"message": "E-posti aadressi kasutatakse sisselogimiseks."
},
"yourName": {
"message": "Sinu nimi"
},
"yourNameDesc": {
"message": "Kuidas me sind kutsume?"
},
"masterPass": {
"message": "Ülemparool"
},
"masterPassDesc": {
"message": "Ülemparooliga pääsed oma kontole ligi. On äärmiselt tähtis, et ülemparool ei ununeks. Selle parooli taastamine ei ole mingil moel võimalik."
},
"masterPassHintDesc": {
"message": "Vihje võib abiks olla olukorras, kui oled ülemparooli unustanud."
},
"reTypeMasterPass": {
"message": "Sisesta ülemparool uuesti"
},
"masterPassHint": {
"message": "Ülemparooli vihje (ei ole kohustuslik)"
},
"masterPassHintLabel": {
"message": "Ülemparooli vihje"
},
"settings": {
"message": "Seaded"
},
"passwordHint": {
"message": "Parooli vihje"
},
"enterEmailToGetHint": {
"message": "Ülemparooli vihje saamiseks sisesta oma konto e-posti aadress."
},
"getMasterPasswordHint": {
"message": "Tuleta ülemparooli vihjega meelde"
},
"emailRequired": {
"message": "E-posti aadress on nõutud."
},
"invalidEmail": {
"message": "Vigane e-posti aadress."
},
"masterPassRequired": {
"message": "Vajalik on ülemparooli sisestamine."
},
"masterPassLength": {
"message": "Ülemparool peab olema vähemalt 8 tähemärgi pikkune."
},
"masterPassDoesntMatch": {
"message": "Ülemparoolid ei ühti."
},
"newAccountCreated": {
"message": "Sinu konto on loodud! Saad nüüd sellesse sisse logida."
},
"masterPassSent": {
"message": "Ülemparooli vihje saadeti sinu e-posti aadressile."
},
"unexpectedError": {
"message": "Tekkis ootamatu viga."
},
"emailAddress": {
"message": "E-posti aadress"
},
"yourVaultIsLocked": {
"message": "Hoidla on lukus. Jätkamiseks sisesta ülemparool."
},
"unlock": {
"message": "Lukusta lahti"
},
"loggedInAsEmailOn": {
"message": "Sisse logitud kontosse $EMAIL$ aadressil $HOSTNAME$.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
},
"hostname": {
"content": "$2",
"example": "bitwarden.com"
}
}
},
"invalidMasterPassword": {
"message": "Vale ülemparool"
},
"lockNow": {
"message": "Lukusta paroolihoidla"
},
"noItemsInList": {
"message": "Puuduvad kirjed, mida kuvada."
},
"noCollectionsInList": {
"message": "Puuduvad kollektsioonid, mida kuvada."
},
"noGroupsInList": {
"message": "Puuduvad grupid, mida kuvada."
},
"noUsersInList": {
"message": "Puuduvad kasutajad, keda kuvada."
},
"noEventsInList": {
"message": "Puuduvad sündmused, mida kuvada."
},
"newOrganization": {
"message": "Uus organisatsioon"
},
"noOrganizationsList": {
"message": "Sa ei kuulu ühessegi organisatsiooni. Organisatsioonid võimaldavad sul kirjeid turvaliselt teiste kasutajatega jagada."
},
"versionNumber": {
"message": "Versioon $VERSION_NUMBER$",
"placeholders": {
"version_number": {
"content": "$1",
"example": "1.2.3"
}
}
},
"enterVerificationCodeApp": {
"message": "Sisesta autentimise rakendusest 6 kohaline number."
},
"enterVerificationCodeEmail": {
"message": "Sisesta 6 kohaline number, mis saadeti e-posti aadressile $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"verificationCodeEmailSent": {
"message": "Kinnituskood saadeti e-posti aadressile $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"rememberMe": {
"message": "Jäta mind meelde"
},
"sendVerificationCodeEmailAgain": {
"message": "Saada e-postile uus kinnituskood"
},
"useAnotherTwoStepMethod": {
"message": "Kasuta teist kaheastmelist sisselogimise meetodit"
},
"insertYubiKey": {
"message": "Sisesta oma YubiKey arvuti USB porti ja kliki sellele nupule."
},
"insertU2f": {
"message": "Sisesta oma turvaline võti arvuti USB porti. Kui sellel on nupp, siis vajuta seda."
},
"loginUnavailable": {
"message": "Sisselogimine ei ole saadaval"
},
"noTwoStepProviders": {
"message": "Sellel kontol on aktiveeritud kaheastmeline kinnitus. Siiski ei toeta konkreetne brauser ühtegi aktiveeritud kaheastmelise kinnitamise teenust."
},
"noTwoStepProviders2": {
"message": "Palun kasuta ühilduvat brauserit (näiteks Chrome) ja/või lisa uus kaheastmelise teenuse pakkuja, mis töötab rohkemates brauserites (näiteks mõni autentimise rakendus)."
},
"twoStepOptions": {
"message": "Kaheastmelise sisselogimise valikud"
},
"recoveryCodeDesc": {
"message": "Sul ei ole ligipääsu ühelegi kaheastmelise kinnitamise teenusele? Kasuta taastamise koodi, et kaheastmeline kinnitamine oma kontol välja lülitada."
},
"recoveryCodeTitle": {
"message": "Taastamise kood"
},
"authenticatorAppTitle": {
"message": "Autentimise rakendus"
},
"authenticatorAppDesc": {
"message": "Kasuta autentimise rakendust (näiteks Authy või Google Authenticator), et kasutada sisselogimiseks ajal baseeruvat kinnituskoodi.",
"description": "'Authy' and 'Google Authenticator' are product names and should not be translated."
},
"yubiKeyTitle": {
"message": "YubiKey OTP Turvaline võti"
},
"yubiKeyDesc": {
"message": "Kasuta kontole ligipääsemiseks YubiKey-d. See töötab YubiKey 4, 5 ja NEO seadmetega."
},
"duoDesc": {
"message": "Kinnita Duo Security abil, kasutades selleks Duo Mobile rakendust, SMS-i, telefonikõnet või U2F turvavõtit.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"duoOrganizationDesc": {
"message": "Kinnita organisatsiooni jaoks Duo Security abil, kasutades selleks Duo Mobile rakendust, SMS-i, telefonikõnet või U2F turvavõtit.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"u2fDesc": {
"message": "Kasuta mistahes FIDO U2F toetavat turvalist võtit, et oma kontole ligi pääseda."
},
"u2fTitle": {
"message": "FIDO U2F Turvaline võti"
},
"webAuthnTitle": {
"message": "FIDO2 WebAuthn"
},
"webAuthnDesc": {
"message": "Kasuta kontole ligipääsemiseks mistahes WebAuthn toetavat turvalist võtit."
},
"webAuthnMigrated": {
"message": "(pärineb FIDO'lt)"
},
"emailTitle": {
"message": "E-post"
},
"emailDesc": {
"message": "Kinnituskoodid saadetakse e-postiga."
},
"continue": {
"message": "Jätka"
},
"organization": {
"message": "Organisatsioon"
},
"organizations": {
"message": "Organisatsioon"
},
"moveToOrgDesc": {
"message": "Vali organisatsioon, kuhu soovid seda kirjet teisaldada. Teisaldamisega saab kirje omanikuks organisatsioon. Pärast kirje teisaldamist ei ole sa enam selle otsene omanik."
},
"moveManyToOrgDesc": {
"message": "Vali organisatsioon, kuhu soovid seda kirjet teisaldada. Teisaldamisega saab kirje omanikuks organisatsioon. Pärast kirje teisaldamist ei ole sa enam selle otsene omanik."
},
"collectionsDesc": {
"message": "Muuda kollektsioone, millega seda kirjet jagatakse. Seda kirjet näevad üksnes organisatsiooni kasutajad, kes omavad nendele kollektsioonidele ligipääsu."
},
"deleteSelectedItemsDesc": {
"message": "Oled kustutamiseks valinud $COUNT$ kirjet. Oled kindel, et soovid kõik need kirjed kustutada?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsDesc": {
"message": "Vali kaust, kuhu soovid need $COUNT$ kirjet liigutada.",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsCountDesc": {
"message": "Valisid $COUNT$ kirje(t). $MOVEABLE_COUNT$ kirje(t) saab teisaldada organisatsiooni, $NONMOVEABLE_COUNT$ ei saa.",
"placeholders": {
"count": {
"content": "$1",
"example": "10"
},
"moveable_count": {
"content": "$2",
"example": "8"
},
"nonmoveable_count": {
"content": "$3",
"example": "2"
}
}
},
"verificationCodeTotp": {
"message": "Kinnituskood (TOTP)"
},
"copyVerificationCode": {
"message": "Kopeeri kinnituskood"
},
"warning": {
"message": "Hoiatus"
},
"confirmVaultExport": {
"message": "Hoidla eksportimise kinnitamine"
},
"exportWarningDesc": {
"message": "Eksporditav fail on krüpteeringuta ja sisaldab hoidla sisu. Seda faili ei tohiks kaua käidelda ning mitte mingil juhul ebaturvaliselt saata (näiteks e-postiga). Kustuta see koheselt pärast kasutamist."
},
"encExportKeyWarningDesc": {
"message": "Eksporditavate andmete krüpteerimiseks kasutatakse kontol olevat krüpteerimisvõtit. Kui sa peaksid seda krüpteerimise võtit roteerima, ei saa sa järgnevalt eksporditavaid andmeid enam dekrüpteerida."
},
"encExportAccountWarningDesc": {
"message": "Iga Bitwardeni kasutaja krüpteerimisvõti on unikaalne. Eksporditud andmeid ei saa importida teise Bitwardeni kasutajakontosse."
},
"export": {
"message": "Ekspordi"
},
"exportVault": {
"message": "Hoidla sisu eksportimine"
},
"fileFormat": {
"message": "Failivorming"
},
"exportSuccess": {
"message": "Hoidla on eksporditud."
},
"passwordGenerator": {
"message": "Parooli genereerimine"
},
"minComplexityScore": {
"message": "Minimaalne keerulisuse skoor"
},
"minNumbers": {
"message": "Vähim arv numbreid"
},
"minSpecial": {
"message": "Vähim arv spetsiaalmärke",
"description": "Minimum Special Characters"
},
"ambiguous": {
"message": "Väldi ebamääraseid kirjamärke"
},
"regeneratePassword": {
"message": "Genereeri parool uuesti"
},
"length": {
"message": "Pikkus"
},
"numWords": {
"message": "Sõnade arv"
},
"wordSeparator": {
"message": "Sõna eraldaja"
},
"capitalize": {
"message": "Suurtäht",
"description": "Make the first letter of a work uppercase."
},
"includeNumber": {
"message": "Lisa number"
},
"passwordHistory": {
"message": "Paroolide ajalugu"
},
"noPasswordsInList": {
"message": "Puuduvad paroolid, mida kuvada."
},
"clear": {
"message": "Tühjenda",
"description": "To clear something out. example: To clear browser history."
},
"accountUpdated": {
"message": "Konto uuendatud"
},
"changeEmail": {
"message": "E-posti aadressi muutmine"
},
"changeEmailTwoFactorWarning": {
"message": "Jätkamisel muudetakse konto e-posti aadress. Pane tähele, et see ei muuda kaheastmeliseks kinnitamiseks kasutatavat e-posti aadressi. Selle e-posti aadressi muutmine on võimalik kaheastmelise kinnitamise seadetes."
},
"newEmail": {
"message": "Uus e-posti aadress"
},
"code": {
"message": "Kood"
},
"changeEmailDesc": {
"message": "Kinnituskood on saadetud e-postile $EMAIL$. Kontrolli oma e-posti ning sisesta see kood allolevasse kasti, et e-posti aadressi muutmine lõpule viia.",
"placeholders": {
"email": {
"content": "$1",
"example": "john.smith@example.com"
}
}
},
"loggedOutWarning": {
"message": "Jätkates logitakse sind praegusest sessioonis välja, mistõttu pead kontosse uuesti sisse logima. Teised kontoga ühendatud seadmed võivad jääda sisselogituks kuni üheks tunniks."
},
"emailChanged": {
"message": "E-post on muudetud"
},
"logBackIn": {
"message": "Palun logi uuesti sisse."
},
"logBackInOthersToo": {
"message": "Palun logi uuesti sisse. Kui kasutad teisi Bitwardeni rakendusi, pead ka nendes uuesti sisse logima."
},
"changeMasterPassword": {
"message": "Muuda ülemparooli"
},
"masterPasswordChanged": {
"message": "Ülemparool on muudetud"
},
"currentMasterPass": {
"message": "Praegune ülemparool"
},
"newMasterPass": {
"message": "Uus ülemparool"
},
"confirmNewMasterPass": {
"message": "Kinnita uus ülemparool"
},
"encKeySettings": {
"message": "Krüpteerimise võtme seaded"
},
"kdfAlgorithm": {
"message": "KDF algoritm"
},
"kdfIterations": {
"message": "KDF iteratsioonid"
},
"kdfIterationsDesc": {
"message": "Suuremad KDF iteratsioonid aitavad ülemparooli paremini jõhkra jõu rünnete vastu kaitsta. Soovitame kasutada väärtust $VALUE$ või suuremat.",
"placeholders": {
"value": {
"content": "$1",
"example": "100,000"
}
}
},
"kdfIterationsWarning": {
"message": "Seadistades KDF-i liiga pikaks, võib Bitwardenisse sisselogimisel (ja lahtilukustamisel) tekkida jõudlusprobleeme ja hangumisi. Seda eriti aeglasemate protsessoritega seadmetes. Soovitame kasutada pikkust ligikaudu $INCREMENT$ ja testida jõudlust kõikides oma seadmetes.",
"placeholders": {
"increment": {
"content": "$1",
"example": "50,000"
}
}
},
"changeKdf": {
"message": "Muuda KDF-i"
},
"encKeySettingsChanged": {
"message": "Krüpteerimise võtme seaded on muudetud"
},
"dangerZone": {
"message": "Ohtlik tsoon"
},
"dangerZoneDesc": {
"message": "Ettevaatust, neid toiminguid ei saa tagasi võtta!"
},
"deauthorizeSessions": {
"message": "Sessioonide tühistamine"
},
"deauthorizeSessionsDesc": {
"message": "Muretsed, et sinu kontosse on võõra seadme alt sisse logitud? Kasuta allolevat valikut, et kõikidest seadmetest välja logida. See võib olla kasulik näiteks juhtudel, kus oled kasutanud avalikku arvutit või salvestasid kogemata parooli seadmes, mis ei kuulu sinule. Samuti nullib see tegevus kõik varasemad kaheastmelise kinnitamise poolt meelde jäetud seadmed."
},
"deauthorizeSessionsWarning": {
"message": "Jätkatest logitakse sind ka käimasolevast sessioonist välja, mistõttu pead kontosse uuesti sisse logima. Lisaks võidakse küsida kaheastmelist kinnitust, kui see on sisse lülitatud. Teised kontoga ühendatud seadmed võivad jääda sisselogituks kuni üheks tunniks."
},
"sessionsDeauthorized": {
"message": "Kõikidest seadmetest on välja logitud"
},
"purgeVault": {
"message": "Likvideeri Hoidla"
},
"purgedOrganizationVault": {
"message": "Organisatsiooni hoidla on likvideeritud."
},
"vaultAccessedByProvider": {
"message": "Teenuse osutaja vaatas hoidla sisu."
},
"purgeVaultDesc": {
"message": "Jätkates kustutatakse kõik hoidlas olevad kirjed ja kaustad. Andmed, mis kuuluvad organisatsioonile, jäävad puutumata."
},
"purgeOrgVaultDesc": {
"message": "Jätka allpool, et kõik organisatsiooni kirjed hoidlast likvideerida."
},
"purgeVaultWarning": {
"message": "Hoidla likvideerimine on ühekordne tegevus. Seda ei saa tagasi võtta."
},
"vaultPurged": {
"message": "Hoidla on likvideeritud."
},
"deleteAccount": {
"message": "Kustuta konto"
},
"deleteAccountDesc": {
"message": "Jätkates kustutatakse sinu konto ja kõik sellega seonduvad andmed."
},
"deleteAccountWarning": {
"message": "Konto kustutamine on ühekordne tegevus. Seda ei saa tagasi võtta."
},
"accountDeleted": {
"message": "Konto on kustutatud"
},
"accountDeletedDesc": {
"message": "Konto on suletud ja kõik sellega seonduvad andmed on kustutatud."
},
"myAccount": {
"message": "Minu konto"
},
"tools": {
"message": "Tööriistad"
},
"importData": {
"message": "Andmete importimine"
},
"importError": {
"message": "Viga importimisel"
},
"importErrorDesc": {
"message": "Andmete importimisel ilmnes tõrge. Paranda originaalfailis olevad vead (kuvatud all) ning proovi uuesti."
},
"importSuccess": {
"message": "Andmed on edukalt hoidlasse imporditud."
},
"importWarning": {
"message": "Impordid andmeid organisatsiooni $ORGANIZATION$. Imporditavaid andmeid võidakse jagada teiste organisatsiooni liikmetega. Soovid jätkata?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"importFormatError": {
"message": "Andmed ei ole korrektse vorminguga. Palun kontrolli imporditavat faili ja proovi uuesti."
},
"importNothingError": {
"message": "Midagi ei imporditud."
},
"importEncKeyError": {
"message": "Eksporditud faili dekrüpteerimine nurjus. Sinu krüpteerimisvõti ei ühti selle võtmega, mida kasutati andmete eksportimisel."
},
"selectFormat": {
"message": "Vali imporditava faili vorming"
},
"selectImportFile": {
"message": "Vali imporditav fail"
},
"orCopyPasteFileContents": {
"message": "või kopeeri/kleebi imporditava faili sisu"
},
"instructionsFor": {
"message": "$NAME$ Kasutusjuhend",
"description": "The title for the import tool instructions.",
"placeholders": {
"name": {
"content": "$1",
"example": "LastPass (csv)"
}
}
},
"options": {
"message": "Valikud"
},
"optionsDesc": {
"message": "Siit leiad erinevad Veebihoidla kohandamise valikud."
},
"optionsUpdated": {
"message": "Muudatused on rakendatud"
},
"language": {
"message": "Keel"
},
"languageDesc": {
"message": "Siin saab veebihoidla keelt muuta."
},
"disableIcons": {
"message": "Lülita veebisaidi ikoonid välja"
},
"disableIconsDesc": {
"message": "Veebisaidi ikoonid aitavad hoidlas olevaid kontosid paremini eristada."
},
"enableGravatars": {
"message": "Luba Gravatarid",
"description": "'Gravatar' is the name of a service. See www.gravatar.com"
},
"enableGravatarsDesc": {
"message": "Luba avatari pildid, mida laaditakse lehelt gravatar.com."
},
"enableFullWidth": {
"message": "Lülita sisse veebihoidla laiem vaade",
"description": "Allows scaling the web vault UI's width"
},
"enableFullWidthDesc": {
"message": "See valik muudab veebihoidla laiust selliselt, et see ulatuks üle terve brauseri."
},
"default": {
"message": "Vaikimisi"
},
"domainRules": {
"message": "Domeeni reeglid"
},
"domainRulesDesc": {
"message": "Kui sul on erinevatel domeenidel samade andmetega kontod, võid need domeenid märkida \"võrdväärseteks\". \"Globaalsed\" domeenid on need, mille Bitwarden juba eelseadistanud on."
},
"globalEqDomains": {
"message": "Globaalsed võrdväärsed domeenid"
},
"customEqDomains": {
"message": "Teised võrdväärsed domeenid"
},
"exclude": {
"message": "Jäta välja"
},
"include": {
"message": "Kaasa"
},
"customize": {
"message": "Kohanda"
},
"newCustomDomain": {
"message": "Uus võrdväärne domeen"
},
"newCustomDomainDesc": {
"message": "Sisesta domeenid, eraldades need komadega. Lubatud on ainult \"põhi\" domeenid. Ära sisesta alamdomeene. Nt: sisesta \"google.com\", aga mitte \"www.google.com\". Võid ka sisestada \"androidapp://package.name\", et seostada Androidi äpp mistahes veebilehtede domeenidega."
},
"customDomainX": {
"message": "Kohandatud domeeni $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"domainsUpdated": {
"message": "Domeenid on uuendatud"
},
"twoStepLogin": {
"message": "Kaheastmeline kinnitamine"
},
"twoStepLoginDesc": {
"message": "Kaitse oma kontot, nõudes sisselogimisel lisakinnitust."
},
"twoStepLoginOrganizationDesc": {
"message": "Nõua organisatsiooni liikmetelt kaheastmelist kinnitamist, seadistades taolise teenuse pakkujad organisatsiooni tasemel."
},
"twoStepLoginRecoveryWarning": {
"message": "Kaheastmelise kinnitamine aktiveerimine võib luua olukorra, kus sul on võimatu oma Bitwardeni kontosse sisse logida. Näiteks kui kaotad oma nutiseadme. Taastamise kood võimaldab aga kontole ligi pääseda ka olukorras, kus kaheastmelist kinnitamist ei ole võimalik läbi viia. Sellistel juhtudel ei saa ka Bitwardeni klienditugi sinu kontole ligipääsu taastada. Selle tõttu soovitame taastekoodi välja printida ja seda turvalises kohas hoida."
},
"viewRecoveryCode": {
"message": "Vaata taastamise koodi"
},
"providers": {
"message": "Teenused",
"description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc."
},
"enable": {
"message": "Lülita sisse"
},
"enabled": {
"message": "Sisselülitatud"
},
"premium": {
"message": "Premium",
"description": "Premium Membership"
},
"premiumMembership": {
"message": "Premium versioon"
},
"premiumRequired": {
"message": "Nõutav on Premium konto"
},
"premiumRequiredDesc": {
"message": "Selle funktsiooni kasutamiseks on vajalik premium kontot omada."
},
"youHavePremiumAccess": {
"message": "Sul on premium ligipääs"
},
"alreadyPremiumFromOrg": {
"message": "Organisatsiooni kuulumise tõttu on sul juba juurdepääs premium funktsioonidele."
},
"manage": {
"message": "Haldus"
},
"disable": {
"message": "Keela"
},
"twoStepLoginProviderEnabled": {
"message": "See kaheastmelise kinnitamise teenus on sinu kontol sisse lülitatud."
},
"twoStepLoginAuthDesc": {
"message": "Kaheastmelise kinnitamise seadete muutmiseks pead sisestama ülemparooli."
},
"twoStepAuthenticatorDesc": {
"message": "Järgnevad juhised aitavad sul kaheastmelise kinnituse äpi ära seadistada:"
},
"twoStepAuthenticatorDownloadApp": {
"message": "Laadi kaheastmelise kinnitamise äpp alla"
},
"twoStepAuthenticatorNeedApp": {
"message": "Vajad kaheastmelise kinnitamise äppi? Proovi mõnda järgnevatest"
},
"iosDevices": {
"message": "iOS seadmed"
},
"androidDevices": {
"message": "Android seadmed"
},
"windowsDevices": {
"message": "Windows seadmed"
},
"twoStepAuthenticatorAppsRecommended": {
"message": "Need äpid on soovituslikud. Saad ka teisi autentimise äppe kasutada."
},
"twoStepAuthenticatorScanCode": {
"message": "Skaneeri seda QR koodi oma autentimisrakendusega"
},
"key": {
"message": "Võti"
},
"twoStepAuthenticatorEnterCode": {
"message": "Sisesta äpi kuvatav 6 kohaline kinnituskood"
},
"twoStepAuthenticatorReaddDesc": {
"message": "Kui soovid lisada veel seadmeid, siis all on kuvatud QR kood (ehk võti), mida autentimisrakendusega kasutada saad."
},
"twoStepDisableDesc": {
"message": "Oled kindel, et soovid selle kaheastmelise kinnitamise teenuse välja lülitada?"
},
"twoStepDisabled": {
"message": "Kaheastmelise sisselogimise teenus on keelatud."
},
"twoFactorYubikeyAdd": {
"message": "Lisa oma kontole uus YubiKey"
},
"twoFactorYubikeyPlugIn": {
"message": "Sisesta YubiKey (NEO või 4. seeria) arvuti USB pessa."
},
"twoFactorYubikeySelectKey": {
"message": "Vali esimene tühi YubiKey sisendväli allpool."
},
"twoFactorYubikeyTouchButton": {
"message": "Puuduta YubiKey nuppu."
},
"twoFactorYubikeySaveForm": {
"message": "Salvesta vorm."
},
"twoFactorYubikeyWarning": {
"message": "Mõnede platvormi piirangute tõttu ei saa YubiKeysid kõikide Bitwardeni rakendustega kasutada. Võiksid kaaluda teise kaheastmelise kinnitamise aktiveerimist olukordadeks, kus YubiKeyde kasutamine ei ole võimalik. Toetatud platvormid:"
},
"twoFactorYubikeySupportUsb": {
"message": "Veebihoidla, töölaua rakendus, CLI ja kõikide brauserite laiendid seadmes, mille USB port võimaldab YubiKeyd kasutada."
},
"twoFactorYubikeySupportMobile": {
"message": "NFC toega seadmel olevad äpid või USB port, mis võimaldab YubiKeyd kasutada."
},
"yubikeyX": {
"message": "YubiKey $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"u2fkeyX": {
"message": "U2F võtme $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"webAuthnkeyX": {
"message": "WebAuthn võti $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"nfcSupport": {
"message": "NFC tugi"
},
"twoFactorYubikeySupportsNfc": {
"message": "Üks minu võtmetest toetab NFC-d."
},
"twoFactorYubikeySupportsNfcDesc": {
"message": "Kui üks sinu YubiKeydest (nt YubiKey Neo) toetab NFC-d, küsitakse sinult seda nutitelefonis, kui NFC olemasolu tuvastatakse."
},
"yubikeysUpdated": {
"message": "YubiKeyd on uuendatud"
},
"disableAllKeys": {
"message": "Blokeeri kõik Võtmed"
},
"twoFactorDuoDesc": {
"message": "Sisesta oma Bitwardeni rakenduse informatsioon Duo admini paneelist."
},
"twoFactorDuoIntegrationKey": {
"message": "Integratsiooni võti"
},
"twoFactorDuoSecretKey": {
"message": "Salajane võti"
},
"twoFactorDuoApiHostname": {
"message": "API hostinimi"
},
"twoFactorEmailDesc": {
"message": "Järgi allolevaid juhiseid, et võimaldada kaheastmeline kinnitamine e-posti teel:"
},
"twoFactorEmailEnterEmail": {
"message": "Sisesta e-post, kuhu soovid kinnituskoode saada"
},
"twoFactorEmailEnterCode": {
"message": "Sisesta e-postile saadetud 6 kohaline kinnituskood"
},
"sendEmail": {
"message": "Saada e-kiri"
},
"twoFactorU2fAdd": {
"message": "Lisa oma kontole FIDO U2F turvavõti"
},
"removeU2fConfirmation": {
"message": "Oled kindel, et soovid selle turvavõtme eemaldada?"
},
"twoFactorWebAuthnAdd": {
"message": "Lisa oma kontole WebAuthn turvavõti"
},
"readKey": {
"message": "Loe võtit"
},
"keyCompromised": {
"message": "Võti on ohus."
},
"twoFactorU2fGiveName": {
"message": "Anna turvavõtmele lihtne nimi, et seda oleks lihtsam ära tunda."
},
"twoFactorU2fPlugInReadKey": {
"message": "Sisesta turvavõti arvuti USB pessa ning kliki \"Loe võtit\" nupul."
},
"twoFactorU2fTouchButton": {
"message": "Kui turvavõtmel on nupp, siis vajuta seda."
},
"twoFactorU2fSaveForm": {
"message": "Salvesta vorm."
},
"twoFactorU2fWarning": {
"message": "Mõnede platvormi piirangute tõttu ei saa FIDO U2F-i kõikide Bitwardeni rakendustega kasutada. Võiksid kaaluda teise kaheastmelise kinnitamise aktiveerimist olukordadeks, kus FIDO U2F-i ei saa kasutada. Toetatud platvormid:"
},
"twoFactorU2fSupportWeb": {
"message": "Veebihoidla- ja brauseri laiendused laua- ja sülearvutis, kus on U2F toega brauser (Chrome, Opera, Vivaldi või Firefox, kus on FIDO U2F sisse lülitatud)."
},
"twoFactorU2fWaiting": {
"message": "Ootame, kuni puudutad turvavõtmel olevat nuppu"
},
"twoFactorU2fClickSave": {
"message": "Kliki all olevale \"Salvesta\" nupule, et kaheastmeline kinnitamine läbi selle turvavõtme sisse lülitada."
},
"twoFactorU2fProblemReadingTryAgain": {
"message": "Turvavõtme lugemisel tekkis tõrge. Proovi uuesti."
},
"twoFactorWebAuthnWarning": {
"message": "Mõnede platvormi piirangute tõttu ei saa WebAuthn'i kõikide Bitwardeni rakendustega kasutada. Võiksid kaaluda teise kaheastmelise kinnitamise aktiveerimist olukordadeks, kus WebAuthn'i ei saa kasutada. Toetatud platvormid:"
},
"twoFactorWebAuthnSupportWeb": {
"message": "Veebihoidla- ja brauseri laiendused laua- ja sülearvutis, kus on WebAuthn toega brauser (Chrome, Opera, Vivaldi või Firefox, kus on FIDO U2F sisse lülitatud)."
},
"twoFactorRecoveryYourCode": {
"message": "Bitwardeni kaheastmelise logimise varukood"
},
"twoFactorRecoveryNoCode": {
"message": "Sa ei ole veel ühtegi kaheastmelise kinnituse teenust sisse lülitanud. Tule siia lehele pärast kaheastmelise kinnitamise sisselülitamist tagasi. Siis näed siin ka varukoodi, millega saad hädakorral kaheastmelise kinnitamise välja lülitada."
},
"printCode": {
"message": "Prindi kood",
"description": "Print 2FA recovery code"
},
"reports": {
"message": "Raportid"
},
"reportsDesc": {
"message": "Identify and close security gaps in your online accounts by clicking the reports below."
},
"unsecuredWebsitesReport": {
"message": "Ebaturvalise veebilehtede raport"
},
"unsecuredWebsitesReportDesc": {
"message": "Ebaturvalise (http://) veebilehte kasutamine võib olla ohtlik. Kui veebileht seda võimaldab, siis soovitame tungivalt kasutada https:// versioon. Nii on ühendus ja saadetavad andmed krüpteeringuga kaitstud. "
},
"unsecuredWebsitesFound": {
"message": "Leiti ebaturvalisi veebilehti"
},
"unsecuredWebsitesFoundDesc": {
"message": "Leidsime hoidlast $COUNT$ ebaturvalist veebilehte.\nKui võimalik, soovitame nende veebilehtede alguse tungivalt https:// -ks muuta. ",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noUnsecuredWebsites": {
"message": "Hoidlas olevad kirjed ei kasuta ebaturvalisi URI-sid."
},
"inactive2faReport": {
"message": "Sisselülitamata 2FA raport"
},
"inactive2faReportDesc": {
"message": "Kaheastmeline kinnitamine (2FA) on tähtis turvalisust lisav seadistus, mis aitab kontoandmeid kaitsta. Kui veebileht seda võimaldab, soovitame tungivalt kaheastmelise kinnituse sisse lülitada."
},
"inactive2faFound": {
"message": "Kaheastmelise kinnituseta kontod"
},
"inactive2faFoundDesc": {
"message": "Leidsime sinu hoidlast $COUNT$ veebilehte, kus kaheastmeline kinnitamine ei pruugi olla sisselülitatud (kontrolliks kasutatakse twofactorauth.org). Nende kontode paremaks kaitsmiseks soovitame kaheastmelise kinnitamise sisse lülitada.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noInactive2fa": {
"message": "Hoidlast ei leitud kontosid, kus kaheastmelise kinnitamise seadistus on välja lülitatud."
},
"instructions": {
"message": "Juhised"
},
"exposedPasswordsReport": {
"message": "Lekkinud paroolide raport"
},
"exposedPasswordsReportDesc": {
"message": "Lekkinud paroolid on paroolid, mis pärinevad andmeleketest. Neid paroole võidakse müüa tumeveebis ning samuti võidakse nende kaudu ligi pääseda sinu teistesse kontodesse."
},
"exposedPasswordsFound": {
"message": "Avastatud on lekkinud paroole"
},
"exposedPasswordsFoundDesc": {
"message": "Leidsime sinu hoidlast $COUNT$ kirjet, millede paroolid on teadaolevate andmelekete tagajärjel avalikustatud. Soovitame tungivalt need paroolid ära vahetada.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noExposedPasswords": {
"message": "Hoidlast ei leitud kirjeid, mis oleksid teadaolevate andmelekete kaudu avalikustatud."
},
"checkExposedPasswords": {
"message": "Kontrolli lekkinud paroole"
},
"exposedXTimes": {
"message": "Lekkinud $COUNT$ korda",
"placeholders": {
"count": {
"content": "$1",
"example": "52"
}
}
},
"weakPasswordsReport": {
"message": "Nõrkade paroolide raport"
},
"weakPasswordsReportDesc": {
"message": "Nõrgad paroolid on häkkerite poolt vägagi lihtsasti lahtimurtavad, sest selleks kasutatakse automatiseeritud tööriistu. Bitwardeni parooli genereerija aitab sul luua paroole, mida on märksa keerulisem lahti murda."
},
"weakPasswordsFound": {
"message": "Avastatud on nõrgad paroolid"
},
"weakPasswordsFoundDesc": {
"message": "Leidsime sinu hoidlast $COUNT$ kirjet, milledel on nõrgad paroolid. Soovitame tungivalt need paroolid tugevamate vastu välja vahetada.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noWeakPasswords": {
"message": "Hoidlas olevatest kirjetest ei leitud nõrku paroole."
},
"reusedPasswordsReport": {
"message": "Korduvate paroolide raport"
},
"reusedPasswordsReportDesc": {
"message": "Kui sinu poolt kasutatav teenus või veebileht langeb rünnaku ohvriks, võib samasuguse parooli kasutamine anda häkkeritele ligipääsu sinu teistesse kasutajakontodesse. Soovitame tungivalt igas teenuses või kasutajakontos unikaalset parooli kasutada."
},
"reusedPasswordsFound": {
"message": "Leiti korduvalt kasutatud paroole"
},
"reusedPasswordsFoundDesc": {
"message": "Leidsime sinu hoidlast $COUNT$ parooli, mis on kasutusel rohkem kui üks kord Soovitame need paroolid unikaalseteks muuta.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noReusedPasswords": {
"message": "Hoidlas puuduvad paroolid, mida kasutatakse rohkem kui üks kord."
},
"reusedXTimes": {
"message": "Kasutusel $COUNT$ korral.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"dataBreachReport": {
"message": "Andmelekke raport"
},
"breachDesc": {
"message": "Andmeleke on intsident, kus sinu kasutajakonto andmed on lekkinud või häkkerite poolt varastatud. Soovitame tungivalt üle kontrollida lekkinud andmed (e-posti aadress, paroolid, krediitkaardi andmed jne) ning võtta kasutusele meetmed nende turvamiseks. Näiteks paroolivahetus."
},
"breachCheckUsernameEmail": {
"message": "Kontrollitakse mistahes kasutajanimesid või e-posti aadresse, mida kontodes kasutatakse."
},
"checkBreaches": {
"message": "Kontrolli lekkeid"
},
"breachUsernameNotFound": {
"message": "$USERNAME$ ei leitud ühestki teadaolevast andmelekkest.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
}
}
},
"goodNews": {
"message": "Head uudised!",
"description": "ex. Good News, No Breached Accounts Found!"
},
"breachUsernameFound": {
"message": "$USERNAME$ esineb kokku $COUNT$ erinevas andmelekkes.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
},
"count": {
"content": "$2",
"example": "7"
}
}
},
"breachFound": {
"message": "Lekkinud kontod"
},
"compromisedData": {
"message": "Ohus olevad andmed"
},
"website": {
"message": "Veebileht"
},
"affectedUsers": {
"message": "Mõjutatud kasutajad"
},
"breachOccurred": {
"message": "Leke toimus"
},
"breachReported": {
"message": "Lekkest teatati"
},
"reportError": {
"message": "Raporti laadimisel ilmes viga. Proovi uuesti"
},
"billing": {
"message": "Maksmine"
},
"accountCredit": {
"message": "Konto krediit",
"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": "Kontojääk",
"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": "Krediidi lisamine",
"description": "Add more credit to your account's balance."
},
"amount": {
"message": "Summa",
"description": "Dollar amount, or quantity."
},
"creditDelayed": {
"message": "Lisatav krediit ilmub nähtavale pärast makse kinnitamist. Mõned maksemeetodid võivad olla aeglasemad ning nende kinnitamine võib võtta natukene aega."
},
"makeSureEnoughCredit": {
"message": "Veendu, et kontol on selle ostu tegemiseks piisavalt krediiti. Ebapiisava krediidi puhul võetakse puuduolev summa teiselt (vaike) maksemeetodilt. Kontole saab krediiti lisada \"Maksmine\" menüü alt."
},
"creditAppliedDesc": {
"message": "Konto krediiti saab kasutada maksete tegemiseks. Uue arve laekumisel kasutatakse selle tasumiseks esmajärjekorras kontol olevat krediiti."
},
"goPremium": {
"message": "Hangi Premium",
"description": "Another way of saying \"Get a premium membership\""
},
"premiumUpdated": {
"message": "Oled nüüd Premium konto omanik."
},
"premiumUpgradeUnlockFeatures": {
"message": "Muuda oma konto premium kontoks ning saa osa paljudest lisahüvedest, mis sellega kaasnevad."
},
"premiumSignUpStorage": {
"message": "1 GB ulatuses krüpteeritud salvestusruum."
},
"premiumSignUpTwoStep": {
"message": "Lisavõimalused kaheastmeliseks kinnitamiseks, näiteks YubiKey, FIDO U2F ja Duo."
},
"premiumSignUpEmergency": {
"message": "Hädaolukorra ligipääs"
},
"premiumSignUpReports": {
"message": "Paroolide seisukorra ülevaade ja andmelekete raportid aitavad hoidla sisu turvalisena hoida."
},
"premiumSignUpTotp": {
"message": "TOTP kinnituskoodide (2FA) genereerija hoidlas olevatele kasutajakontodele."
},
"premiumSignUpSupport": {
"message": "Kiirem klienditugi."
},
"premiumSignUpFuture": {
"message": "Kõik tulevased premium funktsioonid - tasuta!"
},
"premiumPrice": {
"message": "Kõik see ainult $PRICE$ / aastas!",
"placeholders": {
"price": {
"content": "$1",
"example": "$10"
}
}
},
"addons": {
"message": "Lisad"
},
"premiumAccess": {
"message": "Premium ligipääs"
},
"premiumAccessDesc": {
"message": "Saad kõikidele organisatsiooni liikmetele anda ligipääsu premium funktsioonidele - hinnaga $PRICE$ /$INTERVAL$.",
"placeholders": {
"price": {
"content": "$1",
"example": "$3.33"
},
"interval": {
"content": "$2",
"example": "'month' or 'year'"
}
}
},
"additionalStorageGb": {
"message": "Lisaruum (GB)"
},
"additionalStorageGbDesc": {
"message": "# lisa GB"
},
"additionalStorageIntervalDesc": {
"message": "Sul on kasutada $SIZE$ krüpteeritud failiruumi. Soovi korral saad osta lisaruumi hinnaga $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": "Kokkuvõte"
},
"total": {
"message": "Kokku"
},
"year": {
"message": "aasta"
},
"month": {
"message": "kuu"
},
"monthAbbr": {
"message": "kuu",
"description": "Short abbreviation for 'month'"
},
"paymentChargedAnnually": {
"message": "Makse sooritatakse kohe pärast tellimuse esitamist. Järgmine makse toimub aasta pärast. Tellimust on võimalik igal ajal tühistada."
},
"paymentCharged": {
"message": "Esimene makse sooritatakse kohe pärast tellimuse esitamist. Järgmine makse toimub iga $INTERVAL$. Tellimust on võimalik igal ajal tühistada.",
"placeholders": {
"interval": {
"content": "$1",
"example": "month or year"
}
}
},
"paymentChargedWithTrial": {
"message": "Valitud pakett sisaldab 7 päevast prooviperioodi. Krediitkaardilt ei võeta raha enne, kui prooviperiood läbi saab. Väljatoodud summa debiteeritakse iga $INTERVAL$. Tellimust on võimalik igal ajal tühistada."
},
"paymentInformation": {
"message": "Maksemeetod"
},
"billingInformation": {
"message": "Arveldusandmed"
},
"creditCard": {
"message": "Krediitkaart"
},
"paypalClickSubmit": {
"message": "Kliki PayPali nupul. Seejärel logi oma PayPali kontosse sisse ning kliki jätkamiseks \"Submit/Saada\" nupul."
},
"cancelSubscription": {
"message": "Tühista tellimus"
},
"subscriptionCanceled": {
"message": "Tellimus on tühistatud."
},
"pendingCancellation": {
"message": "Tühistamise ootel"
},
"subscriptionPendingCanceled": {
"message": "Tellimus on märgitud tühistatuks. Tellimus tühistatakse lõplikult käimasoleva arveperioodi lõpus."
},
"reinstateSubscription": {
"message": "Tellimuse uuesti aktiveerimine"
},
"reinstateConfirmation": {
"message": "Oled kindel, et soovid tühistamise tagasi võtta ja tellimuse uuesti aktiveerida?"
},
"reinstated": {
"message": "Tellimus on uuesti aktiveeritud."
},
"cancelConfirmation": {
"message": "Oled kindel, et soovid tellimuse tühistada? Kaotad sellega arveperioodi lõpus kõik tellimisega kaasnevad eelised."
},
"canceledSubscription": {
"message": "Tellimus on tühistatud."
},
"neverExpires": {
"message": "Ei aegu kunagi"
},
"status": {
"message": "Olek"
},
"nextCharge": {
"message": "Järgmine makse"
},
"details": {
"message": "Andmed"
},
"downloadLicense": {
"message": "Laadi litsents alla"
},
"updateLicense": {
"message": "Uuenda litsentsi"
},
"updatedLicense": {
"message": "Litsents on uuendatud"
},
"manageSubscription": {
"message": "Tellimuse haldamine"
},
"storage": {
"message": "Salvestusruum"
},
"addStorage": {
"message": "Lisa ruumi"
},
"removeStorage": {
"message": "Vähenda salvestusruumi"
},
"subscriptionStorage": {
"message": "Sinu tellimus lubab kasutada maksimaalselt $MAX_STORAGE$ GB krüpteeritud salvestusruumi. Praegu on kasutusel $USED_STORAGE$.",
"placeholders": {
"max_storage": {
"content": "$1",
"example": "4"
},
"used_storage": {
"content": "$2",
"example": "65 MB"
}
}
},
"paymentMethod": {
"message": "Makseviis"
},
"noPaymentMethod": {
"message": "Makseviisid puuduvad."
},
"addPaymentMethod": {
"message": "Lisa makseviis"
},
"changePaymentMethod": {
"message": "Muuda makseviisi"
},
"invoices": {
"message": "Arved"
},
"noInvoices": {
"message": "Arved puuduvad."
},
"paid": {
"message": "Makstud",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"unpaid": {
"message": "Tasumata",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"transactions": {
"message": "Tehingud",
"description": "Payment/credit transactions."
},
"noTransactions": {
"message": "Tehingud puuduvad."
},
"chargeNoun": {
"message": "Makse",
"description": "Noun. A charge from a payment method."
},
"refundNoun": {
"message": "Tagasimakse",
"description": "Noun. A refunded payment that was charged."
},
"chargesStatement": {
"message": "Mistahes maksed ilmuvad väljavõttes nimega $STATEMENT_NAME$.",
"placeholders": {
"statement_name": {
"content": "$1",
"example": "BITWARDEN"
}
}
},
"gbStorageAdd": {
"message": "Lisatav GB hulk"
},
"gbStorageRemove": {
"message": "Eemaldatav GB hulk"
},
"storageAddNote": {
"message": "Salvestusruumi suurendamisel võetakse kehtiva maksemeetodi vahendusel koheselt selle eest ka tasu. Esimene makse tehakse proportsionaalselt koos järelejäänud summaga, mis sel arveldusperioodil tasuda tuleb."
},
"storageRemoveNote": {
"message": "Salvestusmahu vähendamisel arvestatakse järelejäänud summa järgmisest maksest krediidina maha."
},
"adjustedStorage": {
"message": "Kohandati $AMOUNT$ GB salvestusruumi.",
"placeholders": {
"amount": {
"content": "$1",
"example": "5"
}
}
},
"contactSupport": {
"message": "Võta klienditoega ühendust"
},
"updatedPaymentMethod": {
"message": "Maksemeetod on muudetud."
},
"purchasePremium": {
"message": "Osta Premium"
},
"licenseFile": {
"message": "Litsentsifail"
},
"licenseFileDesc": {
"message": "Litsentsi nimi on sarnane $FILE_NAME$-le",
"placeholders": {
"file_name": {
"content": "$1",
"example": "bitwarden_premium_license.json"
}
}
},
"uploadLicenseFilePremium": {
"message": "Muutmaks oma konto premiumiks, pead üles laadima kehtiva litsentsifaili."
},
"uploadLicenseFileOrg": {
"message": "Loomaks asutusesiseseselt majutatud organisatsiooni, pead üles laadima kehtiva litsentsifaili."
},
"accountEmailMustBeVerified": {
"message": "Vajalik on konto e-posti aadressi kinnitamine."
},
"newOrganizationDesc": {
"message": "Organisatsioonid võimaldavad hoidla sisu osaliselt või täielikult jagada. Lisaks on võimalik kõiki kasutajaid liigitada näiteks perekonda, väiksesse meeskonda või suurde ettevõttesse."
},
"generalInformation": {
"message": "Üldine Informatsioon"
},
"organizationName": {
"message": "Organisatsiooni nimi"
},
"accountOwnedBusiness": {
"message": "Seda kontot omab ettevõte."
},
"billingEmail": {
"message": "Arve saaja e-posti aadress"
},
"businessName": {
"message": "Ettevõtte nimi"
},
"chooseYourPlan": {
"message": "Vali pakett"
},
"users": {
"message": "Kasutajad"
},
"userSeats": {
"message": "Kasutajad"
},
"additionalUserSeats": {
"message": "Lisakasutajad"
},
"userSeatsDesc": {
"message": "# kasutajaid"
},
"userSeatsAdditionalDesc": {
"message": "Sinu pakett sisaldab $BASE_SEATS$ kasutajat. Soovi korral saad lisada kasutajaid juurde hinnaga $SEAT_PRICE$ kasutaja / kuus.",
"placeholders": {
"base_seats": {
"content": "$1",
"example": "5"
},
"seat_price": {
"content": "$2",
"example": "$2.00"
}
}
},
"userSeatsHowManyDesc": {
"message": "Vali vajalik arv kasutajaid. Neid on võimalik iga kell juurde lisada või eemaldada."
},
"planNameFree": {
"message": "Tasuta",
"description": "Free as in 'free beer'."
},
"planDescFree": {
"message": "Testimiseks ja isiklikuks kasutamiseks, jagamaks $COUNT$ teise Bitwardeni kasutajaga.",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"planNameFamilies": {
"message": "Perekond"
},
"planDescFamilies": {
"message": "Isiklikuks kasutamiseks, jagamaks sõprade ja perega."
},
"planNameTeams": {
"message": "Meeskond"
},
"planDescTeams": {
"message": "Ettevõtetele ja teistele meeskondadele ja organisatsioonidele."
},
"planNameEnterprise": {
"message": "Suurettevõte"
},
"planDescEnterprise": {
"message": "Suurtele ettevõtetele ja organisatsioonidele."
},
"freeForever": {
"message": "Igavesti tasuta"
},
"includesXUsers": {
"message": "sisaldab $COUNT$ kasutajat",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"additionalUsers": {
"message": "Lisakasutajad"
},
"costPerUser": {
"message": "$COST$ kasutaja kohta",
"placeholders": {
"cost": {
"content": "$1",
"example": "$3"
}
}
},
"limitedUsers": {
"message": "Limiit $COUNT$ kasutajat (sh sina)",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"limitedCollections": {
"message": "Limiit $COUNT$ kollektsiooni",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"addShareLimitedUsers": {
"message": "Lisa ja jaga kuni $COUNT$ kasutajaga",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"addShareUnlimitedUsers": {
"message": "Lisa ja jaga kirjeid piiramatul hulgal kasutajatega"
},
"createUnlimitedCollections": {
"message": "Loo piiramatul hulgal kollektsioone"
},
"gbEncryptedFileStorage": {
"message": "$SIZE$ ulatuses krüpteeritud salvestusruumi",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
}
}
},
"onPremHostingOptional": {
"message": "Ise majutamise võimalus (valikuline)"
},
"usersGetPremium": {
"message": "Liikmed saavad automaatse juurdepääsu premium funktsioonidele"
},
"controlAccessWithGroups": {
"message": "Halda gruppide abil kasutajate ligipääsu õigusi"
},
"syncUsersFromDirectory": {
"message": "Sünkroniseeri kasutajaid ja gruppe kataloogist"
},
"trackAuditLogs": {
"message": "Jälgi kasutaja tegevusi auditi logidega"
},
"enforce2faDuo": {
"message": "Jõusta 2FA Duo-ga"
},
"priorityCustomerSupport": {
"message": "Kiirem klienditugi"
},
"xDayFreeTrial": {
"message": "$COUNT$ päevane prooviversioon, mida saab iga kell tühistada",
"placeholders": {
"count": {
"content": "$1",
"example": "7"
}
}
},
"monthly": {
"message": "Igakuiselt"
},
"annually": {
"message": "Tasumine aasta kaupa"
},
"basePrice": {
"message": "Baashind"
},
"organizationCreated": {
"message": "Organisatsioon on loodud"
},
"organizationReadyToGo": {
"message": "Uus organisatsioon on kasutamiseks valmis!"
},
"organizationUpgraded": {
"message": "Organisatsioon on täiendatud."
},
"leave": {
"message": "Lahku"
},
"leaveOrganizationConfirmation": {
"message": "Kas oled kindel, et soovid sellest organisatsioonist lahkuda?"
},
"leftOrganization": {
"message": "Oled organisatsioonist lahkunud."
},
"defaultCollection": {
"message": "Vaikekogumik"
},
"getHelp": {
"message": "Klienditugi"
},
"getApps": {
"message": "Hangi rakendused"
},
"loggedInAs": {
"message": "Sisse logitud kui"
},
"eventLogs": {
"message": "Sündmuste logid"
},
"people": {
"message": "Liikmed"
},
"policies": {
"message": "Poliitikad"
},
"singleSignOn": {
"message": "Single Sign-On"
},
"editPolicy": {
"message": "Muuda poliitikat"
},
"groups": {
"message": "Grupid"
},
"newGroup": {
"message": "Uus grupp"
},
"addGroup": {
"message": "Lisa grupp"
},
"editGroup": {
"message": "Muuda gruppi"
},
"deleteGroupConfirmation": {
"message": "Tahad kindlasti selle grupi kustutada?"
},
"removeUserConfirmation": {
"message": "Tahad kindlasti selle kasutaja eemaldada?"
},
"removeUserConfirmationKeyConnector": {
"message": "Warning! This user requires Key Connector to manage their encryption. Removing this user from your organization will permanently disable their account. This action cannot be undone. Do you want to proceed?"
},
"externalId": {
"message": "Väline ID"
},
"externalIdDesc": {
"message": "Välist Id-d kasutatakse viitena või näiteks selleks, et siduda need ressursid välise süsteemiga, nagu näites kasutaja kataloog."
},
"accessControl": {
"message": "Ligipääsu haldamine"
},
"groupAccessAllItems": {
"message": "See grupp pääseb ligi ja saab muuta kõiki kirjeid."
},
"groupAccessSelectedCollections": {
"message": "See grupp pääseb ligi ainult valitud kirjetele."
},
"readOnly": {
"message": "Saab ainult lugeda"
},
"newCollection": {
"message": "Uus kogumik"
},
"addCollection": {
"message": "Lisa kogumik"
},
"editCollection": {
"message": "Muuda kogumikku"
},
"deleteCollectionConfirmation": {
"message": "Oled kindel, et soovid selle kogumiku kustutada?"
},
"editUser": {
"message": "Kasutaja muutmine"
},
"inviteUser": {
"message": "Kutsu kasutaja"
},
"inviteUserDesc": {
"message": "Kutsu organisatsiooni uusi kasutajaid, sisestades alla nende Bitwardeni konto e-posti aadressid. Kui neil ei ole veel Bitwardeni kontot, pakutakse neile võimalus see luua."
},
"inviteMultipleEmailDesc": {
"message": "Saad kutsuda kuni $COUNT$ kasutajat. Eralda nende e-posti aadressid komaga.",
"placeholders": {
"count": {
"content": "$1",
"example": "20"
}
}
},
"userUsingTwoStep": {
"message": "Sellel kasutajal on kaheastmeline kinnitamine sisse lülitatud."
},
"userAccessAllItems": {
"message": "See kasutaja pääseb ligi ja saab muuta kõiki kirjeid."
},
"userAccessSelectedCollections": {
"message": "See kasutaja pääseb ligi ja saab muuta ainult valitud kollektsioone."
},
"search": {
"message": "Otsi"
},
"invited": {
"message": "Kutsutud"
},
"accepted": {
"message": "Nõustunud"
},
"confirmed": {
"message": "Kinnitatud"
},
"clientOwnerEmail": {
"message": "Kliendist omaniku e-post"
},
"owner": {
"message": "Omanik"
},
"ownerDesc": {
"message": "Kõige suurema ligipääsuga kasutaja, kes saab hallata kõike organisatsiooniga seonduvat."
},
"clientOwnerDesc": {
"message": "See kasutaja peaks olema teenuse osutajast erinev. Kui teenuse osutaja ei kuulu enam organisatsiooni, jääb see kasutaja organisatsiooni omanikuks."
},
"admin": {
"message": "Administraator"
},
"adminDesc": {
"message": " Administraatorid pääsevad ligi ja haldavad kõiki organisatsiooni kirjeid, kollektsioone ja kasutajaid."
},
"user": {
"message": "Kasutaja"
},
"userDesc": {
"message": "Tavaline kasutaja, kel on ligipääsu organisatsiooni kirjetele."
},
"manager": {
"message": "Haldaja"
},
"managerDesc": {
"message": "Administraatorid pääsevad ligi ja saavad hallata organisatsiooni poolt määratud kollektsioone."
},
"all": {
"message": "Kõik"
},
"refresh": {
"message": "Värskenda"
},
"timestamp": {
"message": "Ajatempel"
},
"event": {
"message": "Sündmus"
},
"unknown": {
"message": "Tundmatu"
},
"loadMore": {
"message": "Laadi veel"
},
"mobile": {
"message": "Mobiil",
"description": "Mobile app"
},
"extension": {
"message": "Laiendus",
"description": "Browser extension/addon"
},
"desktop": {
"message": "Töölaud",
"description": "Desktop app"
},
"webVault": {
"message": "Veebihoidla"
},
"loggedIn": {
"message": "Logis sisse."
},
"changedPassword": {
"message": "Muuda konto parooli."
},
"enabledUpdated2fa": {
"message": "Lülitasime sisse/uuendasime kaheastmelist kinnitamist."
},
"disabled2fa": {
"message": "Keela kaheastmeline kinnitamine."
},
"recovered2fa": {
"message": "Konto on taastatud kaheastmelisest kinnitamisest."
},
"failedLogin": {
"message": "Sisselogimine nurjus vale parooli tõttu."
},
"failedLogin2fa": {
"message": "Sisselogimine nurjus vale kaheastmelise kinnituse tõttu."
},
"exportedVault": {
"message": "Eksportis hoidla."
},
"exportedOrganizationVault": {
"message": "Eksportis organisatsiooni hoidla."
},
"editedOrgSettings": {
"message": "Organisatsiooni seaded on muudetud."
},
"createdItemId": {
"message": "Lõi kirje $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedItemId": {
"message": "Muutis kirjet $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedItemId": {
"message": "Kustutas kirje $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"movedItemIdToOrg": {
"message": "Kirje $ID$ on teisaldatud organisatsiooni.",
"placeholders": {
"id": {
"content": "$1",
"example": "'Google'"
}
}
},
"viewedItemId": {
"message": "Vaatas kirjet $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedPasswordItemId": {
"message": "Vaatas kirje $ID$ parooli.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedHiddenFieldItemId": {
"message": "Vaatas kirje $ID$ peidetud välja.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedSecurityCodeItemId": {
"message": "Vaatas kirje $ID$ turvakoodi.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedPasswordItemId": {
"message": "Kopeeris kirje $ID$ parooli.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedHiddenFieldItemId": {
"message": "Kopeeris kirje $ID$ peidetud välja.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedSecurityCodeItemId": {
"message": "Kopeeris kirje $ID$ turvakoodi.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"autofilledItemId": {
"message": "Sisestas kirje $ID$ automaatselt.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"createdCollectionId": {
"message": "Lõi kollektsiooni $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedCollectionId": {
"message": "Muutis kollektsiooni $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"deletedCollectionId": {
"message": "Kustutas kollektsiooni $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedPolicyId": {
"message": "Muutis poliitikat $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"createdGroupId": {
"message": "Lõi grupi $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"editedGroupId": {
"message": "Muutis gruppi $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"deletedGroupId": {
"message": "Kustutas grupi $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"removedUserId": {
"message": "Kasutaja $ID$ on eemaldatud.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdAttachmentForItem": {
"message": "Lisas kirjele $ID$ manuse.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedAttachmentForItem": {
"message": "Kustutas kirje $ID$ manuse.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedCollectionsForItem": {
"message": "Muutis kirje $ID$ kollektsioone.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"invitedUserId": {
"message": "Kutsus kasutaja $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmedUserId": {
"message": "Kinnitas kasutaja $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedUserId": {
"message": "Muutis kasutajat $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedGroupsForUser": {
"message": "Muutis kasutaja $ID$ gruppe.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"unlinkedSsoUser": {
"message": "Kasutaja $ID$ SSO on eemaldatud.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdOrganizationId": {
"message": "Lõi organisatsiooni $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"addedOrganizationId": {
"message": "Lisas organisatsiooni $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"removedOrganizationId": {
"message": "Eemaldas organisatsiooni $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"accessedClientVault": {
"message": "Vaatas organisatsiooni $ID$ hoidlat.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"device": {
"message": "Seade"
},
"view": {
"message": "Vaata"
},
"invalidDateRange": {
"message": "Vale andmevahemik."
},
"errorOccurred": {
"message": "Ilmnes viga."
},
"userAccess": {
"message": "Kasutaja ligipääs"
},
"userType": {
"message": "Kasutaja tüüp"
},
"groupAccess": {
"message": "Grupi ligipääs"
},
"groupAccessUserDesc": {
"message": "Muuda gruppe, kuhu see kasutaja kuulub."
},
"invitedUsers": {
"message": "Kutse on saadetud."
},
"resendInvitation": {
"message": "Saada kutse uuesti"
},
"resendEmail": {
"message": "Saada e-kiri uuesti"
},
"hasBeenReinvited": {
"message": "$USER$ on uuesti kutsutud.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirm": {
"message": "Kinnita"
},
"confirmUser": {
"message": "Kinnita kasutaja"
},
"hasBeenConfirmed": {
"message": "Kasutaja $USER$ on kinnitatud.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmUsers": {
"message": "Kasutajate kinnitamine"
},
"usersNeedConfirmed": {
"message": "Osad kasutajad on küll organisatsiooniga liitunud, aga vajavad veel eraldi kinnitamist. Kasutajad ei pääse organisatsiooni kirjetele ligi enne, kui nad on kinnitatud."
},
"startDate": {
"message": "Alguskuupäev"
},
"endDate": {
"message": "Lõpukuupäev"
},
"verifyEmail": {
"message": "E-posti aadressi kinnitamine"
},
"verifyEmailDesc": {
"message": "Kõikide funktsioonide kasutamiseks pead oma konto e-posti aadressi kinnitama."
},
"verifyEmailFirst": {
"message": "Esmalt pead kinnitama konto e-poesti aadressi."
},
"checkInboxForVerification": {
"message": "E-posti aadressile saadeti kinnituslink."
},
"emailVerified": {
"message": "E-posti aadress on kinnitatud."
},
"emailVerifiedFailed": {
"message": "E-posti kinnitamine nurjus. Proovi uut kinnituskirja saata."
},
"emailVerificationRequired": {
"message": "Vajalik on e-posti kinnitamine"
},
"emailVerificationRequiredDesc": {
"message": "Enne selle funktsiooni kasutamist pead oma e-posti kinnitama."
},
"updateBrowser": {
"message": "Uuenda brauserit"
},
"updateBrowserDesc": {
"message": "Kasutad brauserit, mida ei toetata. Veebihoidla ei pruugi hästi töötada."
},
"joinOrganization": {
"message": "Liitu organisatsiooniga"
},
"joinOrganizationDesc": {
"message": "Sind on kutsutud ülal oleva organisatsiooniga liituma. Liitumise kinnitamiseks pead oma Bitwardeni kontosse sisse logima. Kui sul ei ole veel kontot, saad selle luua."
},
"inviteAccepted": {
"message": "Kutse on vastu võetud"
},
"inviteAcceptedDesc": {
"message": "Pääsed organisatsiooni kirjetele ligi niipea, kui administraator sinu liikmelisuse kinnitab. Teavitame sind sellest e-posti teel."
},
"inviteAcceptFailed": {
"message": "Kutse vastuvõtmine nurjus. Palu organisatsiooni administraatoril uus kutse saata."
},
"inviteAcceptFailedShort": {
"message": "Kutset ei õnnestu vastu võtta. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"rememberEmail": {
"message": "Pea e-posti aadressi meeles"
},
"recoverAccountTwoStepDesc": {
"message": "Kui sa ei pääse oma kontole ühegi kaheastmeliste kinnitamise meetodi abiga ligi, saad selle välja lülitada. Selleks kasuta kaheastmelise kinnitamise tühistamise koodi."
},
"recoverAccountTwoStep": {
"message": "Taasta kaheastmelise kinnitamise ligipääs"
},
"twoStepRecoverDisabled": {
"message": "Sinu konto kaheastmeline kinnitamine on välja lülitatud."
},
"learnMore": {
"message": "Rohkem teavet"
},
"deleteRecoverDesc": {
"message": "Sisesta e-posti aadress oma konto taastamiseks ja kustutamiseks."
},
"deleteRecoverEmailSent": {
"message": "Kui sinu konto eksisteerib, saatsime e-postile edasised juhised."
},
"deleteRecoverConfirmDesc": {
"message": "Oled avaldanud soovi oma Bitwardeni konto kustutamiseks. Selle kinnitamiseks kliki allolevale nupule."
},
"myOrganization": {
"message": "Minu organisatsioon"
},
"deleteOrganization": {
"message": "Kustuta organisatsioon"
},
"deletingOrganizationContentWarning": {
"message": "Enter the master password to confirm deletion of $ORGANIZATION$ and all associated data. Vault data in $ORGANIZATION$ includes:",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"deletingOrganizationActiveUserAccountsWarning": {
"message": "User accounts will remain active after deletion but will no longer be associated to this organization."
},
"deletingOrganizationIsPermanentWarning": {
"message": "Deleting $ORGANIZATION$ is permanent and irreversible.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"organizationDeleted": {
"message": "Organisatsioon on kustutatud"
},
"organizationDeletedDesc": {
"message": "Organisatsioon ja kõik sellega seonduvad andmed on kustutatud."
},
"organizationUpdated": {
"message": "Organisatsiooni on uuendatud"
},
"taxInformation": {
"message": "Käibemaksu info"
},
"taxInformationDesc": {
"message": "Käibemaksu informatsiooni uuendamiseks võta ühendust klienditoega."
},
"billingPlan": {
"message": "Pakett",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlan": {
"message": "Muuda paketti",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlanUpgrade": {
"message": "Vii oma konto järgmisele tasemele, sisestades selleks all nõutud info. Enne selle tegemist veendu, et kontol on olemas toimiv maksemeetod.",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"invoiceNumber": {
"message": "Arve #$NUMBER$",
"description": "ex. Invoice #79C66F0-0001",
"placeholders": {
"number": {
"content": "$1",
"example": "79C66F0-0001"
}
}
},
"viewInvoice": {
"message": "Vaata arvet"
},
"downloadInvoice": {
"message": "Laadi arve alla"
},
"verifyBankAccount": {
"message": "Pangakonto kinnitamine"
},
"verifyBankAccountDesc": {
"message": "Tegime sinu pangakontole kaks väikest ülekannet (nende kohalejõudmine võib võtta 1-2 tööpäeva). Selleks, et pangakonto kinnitada, sisesta need summad siia."
},
"verifyBankAccountInitialDesc": {
"message": "Pangaülekandega tasumine on saadaval ainult Ameerika Ühendriikide klientidele. You will be required to verify your bank account. We will make two micro-deposits within the next 1-2 business days. Enter these amounts on the organization's billing page to verify the bank account."
},
"verifyBankAccountFailureWarning": {
"message": "Pangakonto mittekinnitamine tähendab seda, et makset ei toimu ning konto kaotab oma tellimusega kaasnevad eelised."
},
"verifiedBankAccount": {
"message": "Pangakonto on kinnitatud."
},
"bankAccount": {
"message": "Pangakontoga"
},
"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": "Routing Number",
"description": "Bank account routing number"
},
"accountNumber": {
"message": "Account Number"
},
"accountHolderName": {
"message": "Account Holder Name"
},
"bankAccountType": {
"message": "Konto tüüp"
},
"bankAccountTypeCompany": {
"message": "Ettevõte (äri)"
},
"bankAccountTypeIndividual": {
"message": "Eraisik (personaalne)"
},
"enterInstallationId": {
"message": "Sisesta oma paigalduse id"
},
"limitSubscriptionDesc": {
"message": "Määra maksimaalne kasutajate limiit. Limiidi täitumisel ei saa enam uusi kasutajaid kutsuda."
},
"maxSeatLimit": {
"message": "Maksimaalne kasutajate limiit (valikuline)",
"description": "Upper limit of seats to allow through autoscaling"
},
"maxSeatCost": {
"message": "Max potential seat cost"
},
"addSeats": {
"message": "Lisa kasutajaid",
"description": "Seat = User Seat"
},
"removeSeats": {
"message": "Eemalda kasutajaid",
"description": "Seat = User Seat"
},
"subscriptionDesc": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users."
},
"subscriptionUserSeats": {
"message": "Sinu tellimus lubab kasutada/luua kokku $COUNT$ kasutajakontot.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"limitSubscription": {
"message": "Limit Subscription (Optional)"
},
"subscriptionSeats": {
"message": "Subscription Seats"
},
"subscriptionUpdated": {
"message": "Subscription updated"
},
"additionalOptions": {
"message": "Additional Options"
},
"additionalOptionsDesc": {
"message": "For additional help in managing your subscription, please contact Customer Support."
},
"subscriptionUserSeatsUnlimitedAutoscale": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users."
},
"subscriptionUserSeatsLimitedAutoscale": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users until your $MAX$ seat limit is reached.",
"placeholders": {
"max": {
"content": "$1",
"example": "50"
}
}
},
"subscriptionFreePlan": {
"message": "You cannot invite more than $COUNT$ users without upgrading your plan.",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"subscriptionFamiliesPlan": {
"message": "You cannot invite more than $COUNT$ users without upgrading your plan. Please contact Customer Support to upgrade.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionSponsoredFamiliesPlan": {
"message": "Your subscription allows for a total of $COUNT$ users. Your plan is sponsored and billed to an external organization.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionMaxReached": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. You cannot invite more than $COUNT$ users without increasing your subscription seats.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"seatsToAdd": {
"message": "Lisatavad kasutajad"
},
"seatsToRemove": {
"message": "Eemaldatavad kasutajad"
},
"seatsAddNote": {
"message": "Kasutajate hulga suurendamisel võetakse kehtiva maksemeetodi vahendusel selle eest koheselt ka tasu. Esimene makse tehakse proportsionaalselt koos järelejäänud summaga, mis sel arveldusperioodil tasuda tuleb."
},
"seatsRemoveNote": {
"message": "Kasutajate eemaldamisel arvestatakse järelejäänud summa järgmisest maksest krediidina maha."
},
"adjustedSeats": {
"message": "Kohandas $AMOUNT$ kasutaja kohta.",
"placeholders": {
"amount": {
"content": "$1",
"example": "15"
}
}
},
"keyUpdated": {
"message": "Võti on uuendatud"
},
"updateKeyTitle": {
"message": "Uuenda võtit"
},
"updateEncryptionKey": {
"message": "Uuenda krüpteerimisvõtit"
},
"updateEncryptionKeyShortDesc": {
"message": "Kasutad hetkeseisuga aegunud krüpteerimise skeemi."
},
"updateEncryptionKeyDesc": {
"message": "Oleme kasutusele võtnud suuremad krüpteerimise võtmed, mis pakuvad paremat turvalisust ja uusi funktsioone. Krüpteerimisvõtmete uuendamine on lihtne ja kiire. Piisab ainult ülemparooli sisestamisest. See uuendus on möödapääsmatu ja tuleb ära teha."
},
"updateEncryptionKeyWarning": {
"message": "Pärast krüpteerimisvõtme uuendamist pead kõikides seadmetes, kus Bitwardeni rakendust kasutad, oma kontosse uuesti sisse logima (nt nutitelefonis ja brauseris). Välja- ja sisselogimise (mis ühtlasi laadib ka uue krüpteerimisvõtme) nurjumine võib tingida andmete riknemise. Üritame sinu seadmetest ise välja logida, aga see võib võtta natukene aega."
},
"updateEncryptionKeyExportWarning": {
"message": "Mistahes krüpteeritud, eksporditud andmed muutuvad samuti vigaseks."
},
"subscription": {
"message": "Tellimus"
},
"loading": {
"message": "Laadimine"
},
"upgrade": {
"message": "Täienda"
},
"upgradeOrganization": {
"message": "Täienda organisatsiooni"
},
"upgradeOrganizationDesc": {
"message": "See funktsioon ei ole tasuta organisatsioonidele saadaval. Hangi tasuline versioon, mis sisaldab rohkem funktsioone."
},
"createOrganizationStep1": {
"message": "Organisatsiooni loomine: Samm 1"
},
"createOrganizationCreatePersonalAccount": {
"message": "Enne organisatsiooni loomist pead registreerima tasuta konto."
},
"refunded": {
"message": "Tagasi makstud"
},
"nothingSelected": {
"message": "Midagi pole valitud."
},
"acceptPolicies": {
"message": "Märkeruudu markeerimisel nõustud järgnevaga:"
},
"acceptPoliciesError": {
"message": "Kasutustingimuste ja Privaatsuspoliitikaga pole nõustutud."
},
"termsOfService": {
"message": "Kasutustingimused"
},
"privacyPolicy": {
"message": "Privaatsuspoliitika"
},
"filters": {
"message": "Filtrid"
},
"vaultTimeout": {
"message": "Hoidla ajalõpp"
},
"vaultTimeoutDesc": {
"message": "Vali aeg, peale mida sooritatakse allpool valitud tegevus."
},
"oneMinute": {
"message": "1 minuti pärast"
},
"fiveMinutes": {
"message": "5 minuti pärast"
},
"fifteenMinutes": {
"message": "15 minuti pärast"
},
"thirtyMinutes": {
"message": "30 minuti pärast"
},
"oneHour": {
"message": "1 tunni pärast"
},
"fourHours": {
"message": "4 tunni pärast"
},
"onRefresh": {
"message": "Brauseri sulgemisel"
},
"dateUpdated": {
"message": "Uuendatud",
"description": "ex. Date this item was updated"
},
"datePasswordUpdated": {
"message": "Parool on uuendatud",
"description": "ex. Date this password was updated"
},
"organizationIsDisabled": {
"message": "Organisatsioon on välja lülitatud."
},
"licenseIsExpired": {
"message": "Litsents on aegunud."
},
"updatedUsers": {
"message": "Kasutajad on uuendatud"
},
"selected": {
"message": "Valitud"
},
"ownership": {
"message": "Omanik"
},
"whoOwnsThisItem": {
"message": "Kes on selle kirje omanik?"
},
"strong": {
"message": "Tugev",
"description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"good": {
"message": "Hea",
"description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weak": {
"message": "Nõrk",
"description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"veryWeak": {
"message": "Väga nõrk",
"description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weakMasterPassword": {
"message": "Nõrk ülemparool"
},
"weakMasterPasswordDesc": {
"message": "Valitud ülemparool on nõrk. Oma Bitwardeni konto paremaks kaitsmiseks peaksid kasutama tugevamat parooli. Oled kindel, et soovid valitud parooli ülemparoolina kasutada?"
},
"rotateAccountEncKey": {
"message": "Roteeri ka minu konto krüpteerimise võtit"
},
"rotateEncKeyTitle": {
"message": "Roteeri krüpteerimise võtit"
},
"rotateEncKeyConfirmation": {
"message": "Oled kindel, et soovid oma konto krüpteerimise võtit roteerida?"
},
"attachmentsNeedFix": {
"message": "Sellel kirjel on vanu manuseid, mille peab parandama."
},
"attachmentFixDesc": {
"message": "See on vana failimanus, mille peab parandama. Rohkema teabe saamiseks kliki siia."
},
"fix": {
"message": "Paranda",
"description": "This is a verb. ex. 'Fix The Car'"
},
"oldAttachmentsNeedFixDesc": {
"message": "Hoidlas on vanu failimanuseid, mida peab enne konto krüpteerimise võtme roteerimist parandama."
},
"yourAccountsFingerprint": {
"message": "Konto sõrmejälje fraas",
"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": "Selleks, et sinu krüpteeringu terviklikkus säiliks, pead jätkamiseks kinnitama kasutaja sõrmejälje fraasi.",
"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": "Ära enam sõrmejälje fraasi kinnitamist küsi",
"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": "Tasuta",
"description": "Free, as in 'Free beer'"
},
"apiKey": {
"message": "API võti"
},
"apiKeyDesc": {
"message": "Sinu API võtit saab kasutada Bitwardeni avalikus API-s autentimiseks."
},
"apiKeyRotateDesc": {
"message": "API roteerimine muudab eelmise võtme kehtetuks. API võtme roteerimine on kasulik olukordades, kus on oht, et aktiivne võti ei pruugi enam turvaline olla."
},
"apiKeyWarning": {
"message": "Sinu API võtmel on täielik ligipääs organisatsioonile. Seda võtit peab salajas hoidma ja kaitsma."
},
"userApiKeyDesc": {
"message": "Sinu API võtit saab kasutada Bitwardeni CLI-s autentimiseks."
},
"userApiKeyWarning": {
"message": "API võti on alternatiivne autentimise mehhanism. Seda tuleks salajas hoida."
},
"oauth2ClientCredentials": {
"message": "OAuthi 2.0 kliendi tunnistus",
"description": "'OAuth 2.0' is a programming protocol. It should probably not be translated."
},
"viewApiKey": {
"message": "Vaata API võtit"
},
"rotateApiKey": {
"message": "API võtme roteerimine"
},
"selectOneCollection": {
"message": "Pead valima vähemalt ühe kollektsiooni."
},
"couldNotChargeCardPayInvoice": {
"message": "Meil ei õnnestunud kaardil olevat raha kasutada. Palun vaata all olevat arvet ja maksa see käsitsi."
},
"inAppPurchase": {
"message": "Äpi sisene maksmine"
},
"cannotPerformInAppPurchase": {
"message": "Seda tegevust ei saa sooritada, sest kasutad äpi sisest maksemeetodit."
},
"manageSubscriptionFromStore": {
"message": "Saad oma tellimust hallata poest, kust äpi sisese ostu sooritasid."
},
"minLength": {
"message": "Minimaalne pikkus"
},
"clone": {
"message": "Klooni"
},
"masterPassPolicyDesc": {
"message": "Määra minimaalsed ülemparooli tugevuse tingimused."
},
"twoStepLoginPolicyDesc": {
"message": "Nõua, et kasutajad seadistaksid oma kontodes kaheastmelise kinnituse."
},
"twoStepLoginPolicyWarning": {
"message": "Organisatsiooni liikmed, kel pole kaheastmeline kinnitamine sisse lülitatud, eemaldatakse organisatsioonist ning neile saadetakse sellekohane e-kiri."
},
"twoStepLoginPolicyUserWarning": {
"message": "Kuulud organisatsiooni, mis nõuab kontol kaheastmelise kinnitamise sisselülitamist.\nKui lülitad välja kõik Kaheastmelise kinnitamise valikud, eemaldatakse sind organisatsioonist."
},
"passwordGeneratorPolicyDesc": {
"message": "Määra parooli genereerija konfiguratsiooni tingimused."
},
"passwordGeneratorPolicyInEffect": {
"message": "Organisatsiooni seaded mõjutavad parooli genereerija sätteid."
},
"masterPasswordPolicyInEffect": {
"message": "Üks või enam organisatsiooni eeskirja nõuavad, et ülemparool vastaks nendele nõudmistele:"
},
"policyInEffectMinComplexity": {
"message": "Minimaalne keerulisuse skoor peab olema $SCORE$",
"placeholders": {
"score": {
"content": "$1",
"example": "4"
}
}
},
"policyInEffectMinLength": {
"message": "Minimaalne pikkus peab olema $LENGTH$",
"placeholders": {
"length": {
"content": "$1",
"example": "14"
}
}
},
"policyInEffectUppercase": {
"message": "Sisaldab üht või enamat suurtähte"
},
"policyInEffectLowercase": {
"message": "Sisaldab üht või enamat väiketähte"
},
"policyInEffectNumbers": {
"message": "Sisaldab üht või rohkem numbreid"
},
"policyInEffectSpecial": {
"message": "Sisaldab üht või enamat järgnevatest märkidest: $CHARS$",
"placeholders": {
"chars": {
"content": "$1",
"example": "!@#$%^&*"
}
}
},
"masterPasswordPolicyRequirementsNotMet": {
"message": "Uus ülemparool ei vasta eeskirjades väljatoodud tingimustele."
},
"minimumNumberOfWords": {
"message": "Minimaalne sõnade arv"
},
"defaultType": {
"message": "Vaiketüüp"
},
"userPreference": {
"message": "Kasutaja eelistus"
},
"vaultTimeoutAction": {
"message": "Sooritatav tegevus"
},
"vaultTimeoutActionLockDesc": {
"message": "Lukustamisel nõutakse hoidlale uuesti ligi pääsemiseks ülemparooli."
},
"vaultTimeoutActionLogOutDesc": {
"message": "Väljalogimisel nõutakse hoidlale uuesti ligi pääsemiseks autentimist."
},
"lock": {
"message": "Lukusta",
"description": "Verb form: to make secure or inaccesible by"
},
"trash": {
"message": "Prügikast",
"description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted"
},
"searchTrash": {
"message": "Otsi prügikastist"
},
"permanentlyDelete": {
"message": "Kustuta kirje jäädavalt"
},
"permanentlyDeleteSelected": {
"message": "Kustuta valitud jäädavalt"
},
"permanentlyDeleteItem": {
"message": "Kustuta kirje jäädavalt"
},
"permanentlyDeleteItemConfirmation": {
"message": "Oled kindel, et soovid selle kirje jäädavalt kustutada?"
},
"permanentlyDeletedItem": {
"message": "Kirje on jäädavalt kustutatud"
},
"permanentlyDeletedItems": {
"message": "Kirjed on jäädavalt kustutatud"
},
"permanentlyDeleteSelectedItemsDesc": {
"message": "Oled valinud jäädavaks kustutamiseks $COUNT$ kirje(t). Oled kindel, et soovid need kirjed jäädavalt kustutada?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"permanentlyDeletedItemId": {
"message": "$ID$ kirjet on jäädavalt kustutatud.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"restore": {
"message": "Taasta"
},
"restoreSelected": {
"message": "Taasta valitud"
},
"restoreItem": {
"message": "Taasta kirje"
},
"restoredItem": {
"message": "Kirje on taastatud"
},
"restoredItems": {
"message": "Kirjed on taastatud"
},
"restoreItemConfirmation": {
"message": "Oled kindel, et soovid selle kirje taastada?"
},
"restoreItems": {
"message": "Taasta kirjed"
},
"restoreSelectedItemsDesc": {
"message": "Oled taastamiseks valinud $COUNT$ kirje(t). Oled kindel, et soovid kõik need kirjed taastada?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"restoredItemId": {
"message": "Taastas kirje $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"vaultTimeoutLogOutConfirmation": {
"message": "Väljalogimine tähendab, et hoidlale ei pääse enam ligi ning sisselogimiseks peab konto uuesti autentima. Oled kindel, et soovid seda valikut kasutada?"
},
"vaultTimeoutLogOutConfirmationTitle": {
"message": "Ajalõpu tegevuse kinnitamine"
},
"hidePasswords": {
"message": "Peida paroolid"
},
"countryPostalCodeRequiredDesc": {
"message": "Vajame seda informatsiooni ainult käibemaksu arvutamiseks ja finantsraportite jaoks."
},
"includeVAT": {
"message": "Lisa KM andmed (valikuline)"
},
"taxIdNumber": {
"message": "KMKR nr"
},
"taxInfoUpdated": {
"message": "Käibemaksu informatsioon on uuendatud."
},
"setMasterPassword": {
"message": "Määra ülemparool"
},
"ssoCompleteRegistration": {
"message": "SSO-ga sisselogimise kinnitamiseks tuleb määrata ülemparool. See kaitseb sinu hoidlat ning võimaldab sellele ligi pääseda."
},
"identifier": {
"message": "Identifikaator"
},
"organizationIdentifier": {
"message": "Organisatsiooni identifikaator"
},
"ssoLogInWithOrgIdentifier": {
"message": "Sisselogimine läbi organisatsiooni ühekordse sisselogimise portaali. Jätkamiseks sisesta ettevõtte identifikaator."
},
"enterpriseSingleSignOn": {
"message": "Ettevõtte Single Sign-On"
},
"ssoHandOff": {
"message": "Võid nüüd selle vahelehe sulgeda ning jätkata brauseri laienduses."
},
"includeAllTeamsFeatures": {
"message": "Kõik Meeskonna funktsioonid, lisaks:"
},
"includeSsoAuthentication": {
"message": "SSO autentimine läbi SAML2.0 ja OpenID Connect-i"
},
"includeEnterprisePolicies": {
"message": "Ettevõtte poliitikate rakendamine"
},
"ssoValidationFailed": {
"message": "SSO kinnitamine nurjus"
},
"ssoIdentifierRequired": {
"message": "Nõutud on organisatsioon identifikaator."
},
"unlinkSso": {
"message": "Ühenda SSO lahti"
},
"unlinkSsoConfirmation": {
"message": "Are you sure you want to unlink SSO for this organization?"
},
"linkSso": {
"message": "Ühenda SSO"
},
"singleOrg": {
"message": "Üksainus organisatsioon"
},
"singleOrgDesc": {
"message": "Keela kasutajatel teiste organisatsioonidega liitumine."
},
"singleOrgBlockCreateMessage": {
"message": "Sinu praeguse organisatsiooni poliitika kohaselt ei saa sa olla rohkem kui ühe organisatsiooni liige. Palun kontakteeru oma praeguse organisatsiooni administraatoritega või kasuta liitumiseks teist Bitwardeni kontot."
},
"singleOrgPolicyWarning": {
"message": "Sisselülitamisel eemaldatakse organisatsioonist liikmed, kes on juba mõne teise organisatsiooniga liitunud. See ei puuduta liikmeid, kelle staatus on Omanik või Administraator."
},
"requireSso": {
"message": "Single Sign-On autentimine"
},
"requireSsoPolicyDesc": {
"message": "Nõua kasutajatelt sisselogimist läbi Ettevõtte Single Sign-On meetodi."
},
"prerequisite": {
"message": "Eeltingimus"
},
"requireSsoPolicyReq": {
"message": "Selle poliitika aktiveerimise eelduseks on valiku „Üksainus organisatsioon“ sisselülitamine."
},
"requireSsoPolicyReqError": {
"message": "Poliitika „Üksainus organisatsioon“ ei ole sisse lülitatud."
},
"requireSsoExemption": {
"message": "Selle poliitika rakendamine ei puuduta Omanikke ega Administraatoreid."
},
"sendTypeFile": {
"message": "Fail"
},
"sendTypeText": {
"message": "Tekst"
},
"createSend": {
"message": "Loo uus Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editSend": {
"message": "Muuda Sendi",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"createdSend": {
"message": "Send on loodud",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editedSend": {
"message": "Muutis Sendi",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletedSend": {
"message": "Kustutas Sendi",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSend": {
"message": "Kustuta Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSendConfirmation": {
"message": "Soovid tõesti selle Sendi kustutada?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"whatTypeOfSend": {
"message": "Mis tüüpi Send see on?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletionDate": {
"message": "Kustutamise kuupäev"
},
"deletionDateDesc": {
"message": "Send kustutatakse määratud kuupäeval ja kellaajal jäädavalt.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDate": {
"message": "Aegumiskuupäev"
},
"expirationDateDesc": {
"message": "Selle valimisel ei pääse sellele Sendile enam pärast määratud kuupäeva ligi.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"maxAccessCount": {
"message": "Maksimaalne ligipääsude arv"
},
"maxAccessCountDesc": {
"message": "Selle valimisel ei saa kasutajad pärast maksimaalse ligipääsude arvu saavutamist sellele Sendile enam ligi.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"currentAccessCount": {
"message": "Hetkeline ligipääsude arv"
},
"sendPasswordDesc": {
"message": "Soovi korral nõua parooli, millega Sendile ligi pääseb.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNotesDesc": {
"message": "Privaatne märkus selle Sendi kohta.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disabled": {
"message": "Keelatud"
},
"sendLink": {
"message": "Sendi link",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"copySendLink": {
"message": "Kopeeri Sendi link",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"removePassword": {
"message": "Eemalda parool"
},
"removedPassword": {
"message": "Eemaldas parooli"
},
"removePasswordConfirmation": {
"message": "Soovid kindlasti selle parooli eemaldada?"
},
"hideEmail": {
"message": "Ära näita saajatele minu e-posti aadressi."
},
"disableThisSend": {
"message": "Keela see Send, et keegi ei pääseks sellele ligi.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"allSends": {
"message": "Kõik Sendid"
},
"maxAccessCountReached": {
"message": "Maksimaalne ligipääsude arv on saavutatud",
"description": "This text will be displayed after a Send has been accessed the maximum amount of times."
},
"pendingDeletion": {
"message": "Kustutamise ootel"
},
"expired": {
"message": "Aegunud"
},
"searchSends": {
"message": "Otsi Sende",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPassword": {
"message": "See Send on parooliga kaitstud. Jätkamiseks sisesta parool allolevale väljale.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPasswordDontKnow": {
"message": "Sa ei tea parooli? Küsi seda konkreetse Sendi saatjalt.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendHiddenByDefault": {
"message": "See Send on vaikeseades peidetud. Saad selle nähtavust alloleva nupu abil seadistada.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"downloadFile": {
"message": "Laadi fail alla"
},
"sendAccessUnavailable": {
"message": "Send, millele üritad ligi pääseda, ei eksisteeri või see pole enam saadaval.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"missingSendFile": {
"message": "Sendiga seotud faili ei suudetud leida.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"noSendsInList": {
"message": "Puuduvad Sendid, mida kuvada.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"emergencyAccess": {
"message": "Hädaolukorra ligipääs"
},
"emergencyAccessDesc": {
"message": "Siin saad hallata ning seadistada usaldusväärseid kontakte, kes saavad hädaolukorral sinu Hoidla sisu kas Vaadata või Üle võtta. Rohkema info saamiseks vaata meie abilehekülge. Tegemist on turvalise ja „zero-knowledge“ lahendusega."
},
"emergencyAccessOwnerWarning": {
"message": "Oled ühe või enama organisatsiooni omanik. Andes ligipääsu hädaolukorra kontaktile, saab ta pärast konto ülevõtmist ka Organisatsiooni õiguseid kasutada."
},
"trustedEmergencyContacts": {
"message": "Usaldusväärsed hädaolukorra kontaktid"
},
"noTrustedContacts": {
"message": "Hetkel pole ühtei kontakti määratud. Alustamiseks saada usaldusväärsele kontaktile kutse."
},
"addEmergencyContact": {
"message": "Lisa hädaolukorra kontakt"
},
"designatedEmergencyContacts": {
"message": "Oled järgnevate kontode hädaolukorra kontakt"
},
"noGrantedAccess": {
"message": "Sind ei ole hetkel ühelegi kontole hädaolukorra kontaktiks määratud."
},
"inviteEmergencyContact": {
"message": "Hädaolukorra kontakti loomine"
},
"editEmergencyContact": {
"message": "Hädaolukorra kontakti muutmine"
},
"inviteEmergencyContactDesc": {
"message": "Kutsu oma hädaolukorra kontaktiks usaldusväärne kasutaja. Selleks sisestades alla tema Bitwardeni konto e-posti aadress. Kui tal ei ole veel Bitwardeni kontot, pakutakse talle võimalus see luua."
},
"emergencyAccessRecoveryInitiated": {
"message": "Hädaolukorra ligipääs on käivitatud"
},
"emergencyAccessRecoveryApproved": {
"message": "Hädaolukorra ligipääs on kinnitatud"
},
"viewDesc": {
"message": "Saab vaadata sinu Hoidla täit sisu."
},
"takeover": {
"message": "Ülevõtmine"
},
"takeoverDesc": {
"message": "Saab määrata kontole uue ülemparooli."
},
"waitTime": {
"message": "Ooteaeg"
},
"waitTimeDesc": {
"message": "Aeg, peale mida võimaldatakse määratud isikule automaatne ligipääs."
},
"oneDay": {
"message": "1 päev"
},
"days": {
"message": "$DAYS$ päeva",
"placeholders": {
"days": {
"content": "$1",
"example": "1"
}
}
},
"invitedUser": {
"message": "Kasutaja on kutsutud."
},
"acceptEmergencyAccess": {
"message": "Sind on kutsutud ülal oleva kasutaja hädaolukorra kontaktiks. Liitumise kinnitamiseks pead oma Bitwardeni kontosse sisse logima. Kui sul ei ole veel kontot, saad selle luua."
},
"emergencyInviteAcceptFailed": {
"message": "Kutse vastuvõtmine nurjus. Palu kasutajal uus kutse saata."
},
"emergencyInviteAcceptFailedShort": {
"message": "Kutset ei õnnestu vastu võtta. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"emergencyInviteAcceptedDesc": {
"message": "Selle kasutaja hädaolukorra valikutele ligipääsuks on vajalik identiteedi kinnitamine. Pärast kinnitamist saadame sulle vastavasisulise e-kirja."
},
"requestAccess": {
"message": "Taotle ligipääsu"
},
"requestAccessConfirmation": {
"message": "Oled kindel, et soovid esitada hädaolukorra ligipääsu taotluse? Ligipääsu võimaldatakse pärast $WAITTIME$ päev(a) või niipea, kui teine kasutaja sinu selle heaks kiidab.",
"placeholders": {
"waittime": {
"content": "$1",
"example": "1"
}
}
},
"requestSent": {
"message": "Kasutajale $USER$ on saadet hädaolukorra ligipääsu kutse. Anname e-kirjaga märku, kui saad selle seadistamisega edasi minna.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"approve": {
"message": "Kinnita"
},
"reject": {
"message": "Keeldu"
},
"approveAccessConfirmation": {
"message": "Oled kindel, et soovid hädaolukorra ligipääsu päringu heaks kiita? See võimaldab kasutajal $USER$ sinu kontoga teha järgnevat: $ACTION$.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
},
"action": {
"content": "$2",
"example": "View"
}
}
},
"emergencyApproved": {
"message": "Hädaolukorra ligipääs on kinnitatud."
},
"emergencyRejected": {
"message": "Hädaolukorra ligipääsust keelduti"
},
"passwordResetFor": {
"message": "$USER$ parool on lähtestatud. Saad nüüd uue parooliga sisse logida.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"personalOwnership": {
"message": "Personaalne salvestamine"
},
"personalOwnershipPolicyDesc": {
"message": "Nõua kasutajatelt andmete salvestamist organisatsiooni hoidlasse, eemaldades personaalse hoidla valiku."
},
"personalOwnershipExemption": {
"message": "Selle poliitika rakendamine ei puuduta Omanikke ega Administraatoreid."
},
"personalOwnershipSubmitError": {
"message": "Ettevõtte poliitika tõttu ei saa sa andmeid oma personaalsesse Hoidlasse salvestada. Vali Omanikuks organisatsioon ja vali mõni saadavaolevatest Kogumikest."
},
"disableSend": {
"message": "Keela Send"
},
"disableSendPolicyDesc": {
"message": "Ära võimalda kasutajatel Bitwardeni Sende luua või muuta. Olemasolevate Sendide kustutamise võimalikkus säilib.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disableSendExemption": {
"message": "See muudatus ei mõjuta neid organisatsiooni liikmeid, kes saavad hallata organisatsiooni poliitikaid."
},
"sendDisabled": {
"message": "Send on väljalülitatud",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendDisabledWarning": {
"message": "Ettevõtte poliitika kohaselt saad ainult olemasolevat Sendi kustutada.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptions": {
"message": "Sendi valikud",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyDesc": {
"message": "Määra valikud Sendi loomiseks ja muutmiseks.",
"description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsExemption": {
"message": "See muudatus ei mõjuta neid organisatsiooni liikmeid, kes saavad hallata organisatsiooni poliitikaid."
},
"disableHideEmail": {
"message": "Ära luba kasutajatel Sendi loomisel või muutmisel oma e-posti aadressi saajate eest peita.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyInEffect": {
"message": "Hetkel on kehtivad järgmised organisatsiooni poliitikad:"
},
"sendDisableHideEmailInEffect": {
"message": "Kasutajatel pole lubatud Sendi loomisel või muutmisel oma e-posti aadressi saajate eest peita.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"modifiedPolicyId": {
"message": "Muutis poliitikat $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"planPrice": {
"message": "Hind"
},
"estimatedTax": {
"message": "Eeldatavad maksud"
},
"custom": {
"message": "Kohandatud"
},
"customDesc": {
"message": "Pakub kasutajate haldamiseks ja õiguste määramiseks rohkem võimalusi."
},
"permissions": {
"message": "Õigused"
},
"accessEventLogs": {
"message": "Ligipääs sündmuste logile"
},
"accessImportExport": {
"message": "Ligipääs impordile/ekspordile"
},
"accessReports": {
"message": "Ligipääs raportitele"
},
"missingPermissions": {
"message": "Sul pole selle toimingu tegemiseks luba."
},
"manageAllCollections": {
"message": "Saab hallata kõiki kollektsioone"
},
"createNewCollections": {
"message": "Luua uusi kollektsioone"
},
"editAnyCollection": {
"message": "Muuta mistahes kollektsiooni"
},
"deleteAnyCollection": {
"message": "Kustutada mistahes kollektsiooni"
},
"manageAssignedCollections": {
"message": "Saab hallata määratud kollektsioone"
},
"editAssignedCollections": {
"message": "Hallata määratud kollektsioone"
},
"deleteAssignedCollections": {
"message": "Kustutada määratud kollektsioone"
},
"manageGroups": {
"message": "Gruppide haldamine"
},
"managePolicies": {
"message": "Poliitikate haldamine"
},
"manageSso": {
"message": "SSO haldamine"
},
"manageUsers": {
"message": "Kasutajate haldamine"
},
"manageResetPassword": {
"message": "Parooli lähtestamise haldamine"
},
"disableRequiredError": {
"message": "You must manually disable the $POLICYNAME$ policy before this policy can be disabled.",
"placeholders": {
"policyName": {
"content": "$1",
"example": "Single Sign-On Authentication"
}
}
},
"personalOwnershipPolicyInEffect": {
"message": "Organisatsiooni poliitika on seadnud omaniku valikutele piirangu."
},
"personalOwnershipPolicyInEffectImports": {
"message": "An organization policy has disabled importing items into your personal vault."
},
"personalOwnershipCheckboxDesc": {
"message": "Keela organisatsiooni liikmetel paroolide salvestamine isiklikku Hoidlasse"
},
"textHiddenByDefault": {
"message": "Sendi avamisel peida tekst automaatselt",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNameDesc": {
"message": "Sisesta Sendi nimi (kohustuslik).",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendTextDesc": {
"message": "Tekst, mida soovid saata."
},
"sendFileDesc": {
"message": "Fail, mida soovid saata."
},
"copySendLinkOnSave": {
"message": "Salvestamisel kopeeri Sendi jagamise link lõikepuhvrisse."
},
"sendLinkLabel": {
"message": "Sendi link",
"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": "Bitwardeni Send võimaldab sensitiivset, ajutist informatsiooni hõlpsasti ning turvaliselt edastada.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineLearnMore": {
"message": "Rohkem infot",
"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": "Jaga tekste või faile ükskõik kellega."
},
"sendVaultCardLearnMore": {
"message": "Rohkem infot",
"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": "vaata",
"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": "kuidas see töötab",
"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": "või",
"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": "proovi ise järele",
"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": "või",
"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": "loo konto,",
"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": "et seda ise proovida.",
"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": "Bitwardeni kasutaja $USER_IDENTIFIER$ jagas sinuga järgnevat",
"placeholders": {
"user_identifier": {
"content": "$1",
"example": "An email address"
}
}
},
"viewSendHiddenEmailWarning": {
"message": "Selle Sendi looja ei soovi oma e-posti aadressi avaldada. Palun veendu, et see pärineb usaldusväärsest allikast, enne kui asud selle sisu kasutama või faile alla laadima.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDateIsInvalid": {
"message": "Valitud aegumiskuupäev ei ole õige."
},
"deletionDateIsInvalid": {
"message": "Valitud kustutamise kuupäev ei ole õige."
},
"expirationDateAndTimeRequired": {
"message": "Nõutav on aegumiskuupäev ja kellaaeg."
},
"deletionDateAndTimeRequired": {
"message": "Nõutav on kustutamise kuupäev ja kellaaeg."
},
"dateParsingError": {
"message": "Kustutamis- ja aegumiskuupäevade salvestamisel ilmnes tõrge."
},
"webAuthnFallbackMsg": {
"message": "2FA kinnitamiseks kliki alloleval nupul."
},
"webAuthnAuthenticate": {
"message": "WebAuthn kinnitamine"
},
"webAuthnNotSupported": {
"message": "Sinu brauser ei toeta WebAuthn'i."
},
"webAuthnSuccess": {
"message": "WebAuthn on edukalt kinnitatud! Võid selle vahelehe sulgeda."
},
"hintEqualsPassword": {
"message": "Parooli vihje ei saa olla sama mis parool ise."
},
"enrollPasswordReset": {
"message": "Liitu parooli lähtestamise valikuga"
},
"enrolledPasswordReset": {
"message": "Liitusid parooli lähtestamise valikuga"
},
"withdrawPasswordReset": {
"message": "Tühista nõusolek parooli lähtestamiseks"
},
"enrollPasswordResetSuccess": {
"message": "Liitumine õnnestus!"
},
"withdrawPasswordResetSuccess": {
"message": "Tühistamine õnnestus!"
},
"eventEnrollPasswordReset": {
"message": "Kasutaja $ID$ liitus parooli lähtestamise valikuga.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventWithdrawPasswordReset": {
"message": "Kasutaja $ID$ tühistas parooli taastamise valiku nõusuoleku.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventAdminPasswordReset": {
"message": "Kasutaja $ID$ ülemparool on lähtestatud.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventResetSsoLink": {
"message": "Reset Sso link for user $ID$",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"firstSsoLogin": {
"message": "$ID$ logis esimest korda läbi SSO sisse",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"resetPassword": {
"message": "Lähtesta parool"
},
"resetPasswordLoggedOutWarning": {
"message": "Jätkates logitakse $NAME$ praegusest sessioonis välja, mistõttu peavad nad kontosse uuesti sisse logima. Teised kontoga ühendatud seadmed võivad jääda sisselogituks kuni üheks tunniks.",
"placeholders": {
"name": {
"content": "$1",
"example": "John Smith"
}
}
},
"thisUser": {
"message": "see kasutaja"
},
"resetPasswordMasterPasswordPolicyInEffect": {
"message": "Üks või enam organisatsiooni eeskirja nõuavad, et ülemparool vastaks nendele nõudmistele:"
},
"resetPasswordSuccess": {
"message": "Parool on edukalt lähtestatud!"
},
"resetPasswordEnrollmentWarning": {
"message": "Liitumine võimaldab organisatsiooni administraatoritel sinu ülemparooli muuta. Oled kindel, et soovid liituda?"
},
"resetPasswordPolicy": {
"message": "Ülemparooli lähtestamine"
},
"resetPasswordPolicyDescription": {
"message": "Võimalda organisatsiooni administraatoritel kasutajate ülemparooli lähtestada."
},
"resetPasswordPolicyWarning": {
"message": "Organisatsiooni kuuluvad kasutajad peavad ise liituma või nad liidetakse automaatselt, enne kui nende ülemparooli lähtestada saab."
},
"resetPasswordPolicyAutoEnroll": {
"message": "Automaatne liitumine"
},
"resetPasswordPolicyAutoEnrollDescription": {
"message": "Kõik kasutajad, kes aktsepteerivad kutse, liidetakse automaatselt parooli lähtestamise funktsiooniga."
},
"resetPasswordPolicyAutoEnrollWarning": {
"message": "Kasutajad, kes on juba organisatsiooni liikmed, liidetakse parooli lähtestamise valikuga tagasiulatuvalt. Nad peavad selle ise üle kinnitama, enne kui administraatoritel tekib võimalus nende paroole lähtestada."
},
"resetPasswordPolicyAutoEnrollCheckbox": {
"message": "Liida uued kasutajad automaatselt"
},
"resetPasswordAutoEnrollInviteWarning": {
"message": "Selle organisatsiooni poliitika kohaselt liidetakse sind automaatselt ülemparooli lähtestamise funktsiooniga. Liitumisel saavad organisatsiooni administraatorid sinu ülemparooli muuta."
},
"resetPasswordOrgKeysError": {
"message": "Organization Keys response is null"
},
"resetPasswordDetailsError": {
"message": "Reset Password Details response is null"
},
"trashCleanupWarning": {
"message": "Salakirjad, mis on olnud prügikastis enam kui 30 päeva, kustutatakse automaatselt."
},
"trashCleanupWarningSelfHosted": {
"message": "Salakirjad, mis on olnud mõnda aega prügikastis, kustutatakse automaatselt."
},
"passwordPrompt": {
"message": "Nõutav on ülemparool"
},
"passwordConfirmation": {
"message": "Ülemparooli kinnitamine"
},
"passwordConfirmationDesc": {
"message": "See tegevus on kaitstud. Jätkamiseks sisesta oma ülemparool."
},
"reinviteSelected": {
"message": "Saada kutsed uuesti"
},
"noSelectedUsersApplicable": {
"message": "See valik rakendub mistahes valitud kasutajatele."
},
"removeUsersWarning": {
"message": "Oled kindel, et soovid järgnevaid kasutajaid eemaldada? See tegevus võib võtta paar sekundit ning seda ei saa katkestada."
},
"theme": {
"message": "Teema"
},
"themeDesc": {
"message": "Vali oma veebihoidlale teema."
},
"themeSystem": {
"message": "Kasuta süsteemi teemat"
},
"themeDark": {
"message": "Tume"
},
"themeLight": {
"message": "Hele"
},
"confirmSelected": {
"message": "Kinnita valitud"
},
"bulkConfirmStatus": {
"message": "Masstegevuse staatus"
},
"bulkConfirmMessage": {
"message": "Edukalt kinnitatud."
},
"bulkReinviteMessage": {
"message": "Edukalt uuesti kutsutud."
},
"bulkRemovedMessage": {
"message": "Edukalt eemaldatud"
},
"bulkFilteredMessage": {
"message": "Välja jäetud, ei rakendu sellel tegevuse puhul."
},
"fingerprint": {
"message": "Sõrmejälg"
},
"removeUsers": {
"message": "Kasutajate eemaldamine"
},
"error": {
"message": "Viga"
},
"resetPasswordManageUsers": {
"message": "\"Parooli lähtestamise haldamine\" nõuab ka valiku \"Kasutajate haldamine\" sisselülitamist"
},
"setupProvider": {
"message": "Provider Setup"
},
"setupProviderLoginDesc": {
"message": "You've been invited to setup a new provider. To continue, you need to log in or create a new Bitwarden account."
},
"setupProviderDesc": {
"message": "Please enter the details below to complete the provider setup. Contact Customer Support if you have any questions."
},
"providerName": {
"message": "Provider Name"
},
"providerSetup": {
"message": "The provider has been set up."
},
"clients": {
"message": "Clients"
},
"providerAdmin": {
"message": "Provider Admin"
},
"providerAdminDesc": {
"message": "The highest access user that can manage all aspects of your provider as well as access and manage client organizations."
},
"serviceUser": {
"message": "Service User"
},
"serviceUserDesc": {
"message": "Service users can access and manage all client organizations."
},
"providerInviteUserDesc": {
"message": "Invite a new user to your provider by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account."
},
"joinProvider": {
"message": "Join Provider"
},
"joinProviderDesc": {
"message": "You've been invited to join the provider listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"providerInviteAcceptFailed": {
"message": "Unable to accept invitation. Ask a provider admin to send a new invitation."
},
"providerInviteAcceptedDesc": {
"message": "You can access this provider once an administrator confirms your membership. We'll send you an email when that happens."
},
"providerUsersNeedConfirmed": {
"message": "You have users that have accepted their invitation, but still need to be confirmed. Users will not have access to the provider until they are confirmed."
},
"provider": {
"message": "Provider"
},
"newClientOrganization": {
"message": "New Client Organization"
},
"newClientOrganizationDesc": {
"message": "Create a new client organization that will be associated with you as the provider. You will be able to access and manage this organization."
},
"addExistingOrganization": {
"message": "Add Existing Organization"
},
"myProvider": {
"message": "My Provider"
},
"addOrganizationConfirmation": {
"message": "Are you sure you want to add $ORGANIZATION$ as a client to $PROVIDER$?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
},
"provider": {
"content": "$2",
"example": "My Provider Name"
}
}
},
"organizationJoinedProvider": {
"message": "Organization was successfully added to the provider"
},
"accessingUsingProvider": {
"message": "Accessing organization using provider $PROVIDER$",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"providerIsDisabled": {
"message": "Provider is disabled."
},
"providerUpdated": {
"message": "Provider updated"
},
"yourProviderIs": {
"message": "Your provider is $PROVIDER$. They have administrative and billing privileges for your organization.",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"detachedOrganization": {
"message": "The organization $ORGANIZATION$ has been detached from your provider.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"detachOrganizationConfirmation": {
"message": "Are you sure you want to detach this organization? The organization will continue to exist but will no longer be managed by the provider."
},
"add": {
"message": "Lisa"
},
"updatedMasterPassword": {
"message": "Uuendas ülemparooli"
},
"updateMasterPassword": {
"message": "Ülemparooli uuendamine"
},
"updateMasterPasswordWarning": {
"message": "Organisatsiooni administraator muutis hiljuti sinu ülemparooli. Hoidlale ligi pääsemiseks pead ülemparooli uuendama. Jätkates logitakse sind käimasolevast sessioonist välja, misjärel nõutakse uuesti sisselogimist. Teistes seadmetes olevad aktiivsed sessioonid jäävad aktiivseks kuni üheks tunniks."
},
"masterPasswordInvalidWarning": {
"message": "Your Master Password does not meet the policy requirements of this organization. In order to join the organization, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour."
},
"maximumVaultTimeout": {
"message": "Hoidla ajalõpp"
},
"maximumVaultTimeoutDesc": {
"message": "Configure a maximum vault timeout for all users."
},
"maximumVaultTimeoutLabel": {
"message": "Maximum Vault Timeout"
},
"invalidMaximumVaultTimeout": {
"message": "Invalid Maximum Vault Timeout."
},
"hours": {
"message": "Tundi"
},
"minutes": {
"message": "Minutit"
},
"vaultTimeoutPolicyInEffect": {
"message": "Organisatsiooni poliitikad mõjutavad sinu hoidla ajalõppu. Maksimaalne lubatud hoidla ajalõpp on $HOURS$ tund(i) ja $MINUTES$ minut(it)",
"placeholders": {
"hours": {
"content": "$1",
"example": "5"
},
"minutes": {
"content": "$2",
"example": "5"
}
}
},
"customVaultTimeout": {
"message": "Custom Vault Timeout"
},
"vaultTimeoutToLarge": {
"message": "Your vault timeout exceeds the restriction set by your organization."
},
"disablePersonalVaultExport": {
"message": "Disable Personal Vault Export"
},
"disablePersonalVaultExportDesc": {
"message": "Prohibits users from exporting their private vault data."
},
"vaultExportDisabled": {
"message": "Vault Export Disabled"
},
"personalVaultExportPolicyInEffect": {
"message": "One or more organization policies prevents you from exporting your personal vault."
},
"selectType": {
"message": "Select SSO Type"
},
"type": {
"message": "Type"
},
"openIdConnectConfig": {
"message": "OpenID Connect Configuration"
},
"samlSpConfig": {
"message": "SAML Service Provider Configuration"
},
"samlIdpConfig": {
"message": "SAML Identity Provider Configuration"
},
"callbackPath": {
"message": "Callback Path"
},
"signedOutCallbackPath": {
"message": "Signed Out Callback Path"
},
"authority": {
"message": "Authority"
},
"clientId": {
"message": "Client ID"
},
"clientSecret": {
"message": "Client Secret"
},
"metadataAddress": {
"message": "Metadata Address"
},
"oidcRedirectBehavior": {
"message": "OIDC Redirect Behavior"
},
"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": "The Bitwarden for Families plan include"
},
"sponsoredFamiliesPremiumAccess": {
"message": "Premium access for up to 6 users"
},
"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": "Unable to accept offer. Please resend the offer email from your enterprise account and try again."
},
"sponsoredFamiliesAcceptFailedShort": {
"message": "Unable to accept offer. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must have at least one existing Families Organization."
}
}
},
"sponsoredFamiliesOffer": {
"message": "Accept Free Bitwarden Families"
},
"sponsoredFamiliesOfferRedeemed": {
"message": "Free Bitwarden Families offer successfully redeemed"
},
"redeemed": {
"message": "Redeemed"
},
"redeemedAccount": {
"message": "Redeemed Account"
},
"revokeAccount": {
"message": "Revoke account $NAME$",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"resendEmailLabel": {
"message": "Resend Sponsorship email to $NAME$ sponsorship",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"freeFamiliesPlan": {
"message": "Free Families Plan"
},
"redeemNow": {
"message": "Redeem Now"
},
"recipient": {
"message": "Recipient"
},
"removeSponsorship": {
"message": "Remove Sponsorship"
},
"removeSponsorshipConfirmation": {
"message": "After removing a sponsorship, you will be responsible for this subscription and related invoices. Are you sure you want to continue?"
},
"sponsorshipCreated": {
"message": "Sponsorship Created"
},
"revoke": {
"message": "Revoke"
},
"emailSent": {
"message": "E-kiri on saadetud"
},
"revokeSponsorshipConfirmation": {
"message": "After removing this account, the Families organization owner will be responsible for this subscription and related invoices. Are you sure you want to continue?"
},
"removeSponsorshipSuccess": {
"message": "Sponsorship Removed"
},
"ssoKeyConnectorUnavailable": {
"message": "Ühenduse loomine Key Connectoriga ebaõnnestus. Proovi hiljem uuesti."
},
"keyConnectorUrl": {
"message": "Key Connectori URL"
},
"sendVerificationCode": {
"message": "Saada kinnituskood oma e-postile"
},
"sendCode": {
"message": "Saada kood"
},
"codeSent": {
"message": "Kood on saadetud"
},
"verificationCode": {
"message": "Verification Code"
},
"confirmIdentity": {
"message": "Jätkamiseks kinnita oma identiteet."
},
"verificationCodeRequired": {
"message": "Verification code is required."
},
"invalidVerificationCode": {
"message": "Invalid verification code"
},
"convertOrganizationEncryptionDesc": {
"message": "$ORGANIZATION$ is using SSO with a self-hosted key server. A master password is no longer required to log in for members of this organization.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"leaveOrganization": {
"message": "Leave Organization"
},
"removeMasterPassword": {
"message": "Remove Master Password"
},
"removedMasterPassword": {
"message": "Master password removed."
},
"allowSso": {
"message": "Allow SSO authentication"
},
"allowSsoDesc": {
"message": "Once set up, your configuration will be saved and members will be able to authenticate using their Identity Provider credentials."
},
"ssoPolicyHelpStart": {
"message": "Enable the",
"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 Authentication policy",
"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": "to require all members to log in with 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": "SSO Authentication and Single Organization policies are required to set up Key Connector decryption."
},
"memberDecryptionOption": {
"message": "Member Decryption Options"
},
"memberDecryptionPassDesc": {
"message": "Once authenticated, members will decrypt vault data using their Master Passwords."
},
"keyConnector": {
"message": "Key Connector"
},
"memberDecryptionKeyConnectorDesc": {
"message": "Connect Login with SSO to your self-hosted decryption key server. Using this option, members won’t need to use their Master Passwords to decrypt vault data. Contact Bitwarden Support for set up assistance."
},
"keyConnectorPolicyRestriction": {
"message": "\"Login with SSO and Key Connector Decryption\" is enabled. This policy will only apply to Owners and Admins."
},
"enabledSso": {
"message": "Enabled SSO"
},
"disabledSso": {
"message": "Disabled SSO"
},
"enabledKeyConnector": {
"message": "Enabled Key Connector"
},
"disabledKeyConnector": {
"message": "Disabled Key Connector"
},
"keyConnectorWarning": {
"message": "Once members begin using Key Connector, your Organization cannot revert to Master Password decryption. Proceed only if you are comfortable deploying and managing a key server."
},
"migratedKeyConnector": {
"message": "Migrated to Key Connector"
},
"paymentSponsored": {
"message": "Please provide a payment method to associate with the organization. Don't worry, we won't charge you anything unless you select additional features or your sponsorship expires. "
},
"orgCreatedSponsorshipInvalid": {
"message": "The sponsorship offer has expired. You may delete the organization you created to avoid a charge at the end of your 7 day trial. Otherwise you may close this prompt to keep the organization and assume billing responsibility."
},
"newFamiliesOrganization": {
"message": "New Families Organization"
},
"acceptOffer": {
"message": "Accept Offer"
},
"sponsoringOrg": {
"message": "Sponsoring Organization"
},
"keyConnectorTest": {
"message": "Testi"
},
"keyConnectorTestSuccess": {
"message": "Õnnestus! Key Connectoriga saadi ühendust."
},
"keyConnectorTestFail": {
"message": "Key Connectoriga ei saa ühendust. Kontrolli URL-i."
},
"sponsorshipTokenHasExpired": {
"message": "The sponsorship offer has expired."
},
"freeWithSponsorship": {
"message": "FREE with sponsorship"
},
"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": "Your session has timed out. Please go back and try logging in again."
},
"exportingPersonalVaultTitle": {
"message": "Exporting Personal Vault"
},
"exportingOrganizationVaultTitle": {
"message": "Exporting Organization Vault"
},
"exportingPersonalVaultDescription": {
"message": "Only the personal vault items associated with $EMAIL$ will be exported. Organization vault items will not be included.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
}
}
},
"exportingOrganizationVaultDescription": {
"message": "Only the organization vault associated with $ORGANIZATION$ will be exported. Personal vault items and items from other organizations will not be included.",
"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/et/messages.json/0 | {
"file_path": "bitwarden/web/src/locales/et/messages.json",
"repo_id": "bitwarden",
"token_count": 61265
} | 153 |
{
"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": "സുരക്ഷാ കോഡ് സിവിവി"
},
"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": "Linked",
"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": "Domain Name",
"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": "Logins"
},
"typeCardPlural": {
"message": "Cards"
},
"typeIdentityPlural": {
"message": "Identities"
},
"typeSecureNotePlural": {
"message": "Secure Notes"
},
"folders": {
"message": "ഫോൾഡറുകൾ"
},
"collections": {
"message": "കളക്ഷനുകൾ "
},
"firstName": {
"message": "പേരിന്റെ ആദ്യഭാഗം"
},
"middleName": {
"message": "മധ്യ നാമം"
},
"lastName": {
"message": "പേരിന്റെ അവസാന ഭാഗം"
},
"fullName": {
"message": "Full Name"
},
"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": "Move to Organization"
},
"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": "URL പകർത്തുക",
"description": "Copy URI to clipboard"
},
"myVault": {
"message": "എൻ്റെ വാൾട്"
},
"vault": {
"message": "വാൾട്"
},
"moveSelectedToOrg": {
"message": "Move Selected to Organization"
},
"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 MB ആണ്."
},
"updateKey": {
"message": "നിങ്ങളുടെ എൻക്രിപ്ഷൻ കീ അപ്ഡേറ്റ് ചെയ്യുന്നതുവരെ നിങ്ങൾക്ക് ഈ സവിശേഷത ഉപയോഗിക്കാൻ കഴിയില്ല."
},
"addedItem": {
"message": "ചേർക്കപ്പെട്ട ഇനം"
},
"editedItem": {
"message": "തിരുത്തപ്പെട്ട ഇനം"
},
"movedItemToOrg": {
"message": "$ITEMNAME$ moved to $ORGNAME$",
"placeholders": {
"itemname": {
"content": "$1",
"example": "Secret Item"
},
"orgname": {
"content": "$2",
"example": "Company Name"
}
}
},
"movedItemsToOrg": {
"message": "Selected items moved to $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": "ശരി"
},
"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": "$HOSTNAME$-ൽ $EMAIL$ ലോഗിൻ ചെയ്തിരിക്കുന്നു.",
"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": "$EMAIL$-ൽ ഇമെയിൽ ചെയ്ത 6 അക്ക സ്ഥിരീകരണ കോഡ് നൽകുക.",
"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 ഇടുക, തുടർന്ന് അതിന്റെ ബട്ടൺ അമർത്തുക."
},
"insertU2f": {
"message": "നിങ്ങളുടെ കമ്പ്യൂട്ടറിന്റെ യുഎസ്ബി പോർട്ടിൽ സുരക്ഷാ കീ ഇടുക. അതിന് ഒരു ബട്ടൺ ഉണ്ടെങ്കിൽ അത് അമർത്തുക."
},
"loginUnavailable": {
"message": "പ്രവേശനം ലഭ്യമല്ല"
},
"noTwoStepProviders": {
"message": "ഈ അക്കൗണ്ടിന് രണ്ട്-ഘട്ട പ്രവേശനം പ്രാപ്തമാക്കിയിട്ടുണ്ട്, എന്നിരുന്നാലും, ക്രമീകരിച്ച രണ്ട്-ഘട്ട ദാതാക്കളെയൊന്നും ഈ ഉപകരണം പിന്തുണയ്ക്കുന്നില്ല."
},
"noTwoStepProviders2": {
"message": "മികച്ച പിന്തുണയുള്ള, കൂടുതൽ ദാതാക്കളെ ദയവായി ചേർക്കുക (ഒരു ഓതന്റിക്കേറ്റർ അപ്ലിക്കേഷൻ പോലുള്ളവ)."
},
"twoStepOptions": {
"message": "രണ്ട്-ഘട്ട പ്രവേശനം ഓപ്ഷനുകൾ"
},
"recoveryCodeDesc": {
"message": "നിങ്ങളുടെ രണ്ട്-ഘടക ദാതാക്കളിലേക്കുള്ള ആക്സസ്സ് നഷ്ടപ്പെട്ടോ? നിങ്ങളുടെ അക്കൗണ്ടിൽ നിന്ന് രണ്ട്-ഘടക ദാതാക്കളെ പ്രവർത്തനരഹിതമാക്കാൻ നിങ്ങളുടെ റിക്കവറി കോഡ് ഉപയോഗിക്കുക."
},
"recoveryCodeTitle": {
"message": "റിക്കവറി കോഡ്"
},
"authenticatorAppTitle": {
"message": "ഓതന്റിക്കേറ്റർ ആപ്പ്"
},
"authenticatorAppDesc": {
"message": "സമയ-അടിസ്ഥാന പരിശോധന കോഡുകൾ സൃഷ്ടിക്കുന്നതിന് ഒരു ഓതന്റിക്കേറ്റർ അപ്ലിക്കേഷൻ (ഓത്തി അല്ലെങ്കിൽ Google ഓതന്റിക്കേറ്റർ പോലുള്ളവ) ഉപയോഗിക്കുക.",
"description": "'Authy' and 'Google Authenticator' are product names and should not be translated."
},
"yubiKeyTitle": {
"message": "YubiKey OTP സുരക്ഷാ കീ"
},
"yubiKeyDesc": {
"message": "നിങ്ങളുടെ അക്കൗണ്ട് ആക്സസ് ചെയ്യുന്നതിന് ഒരു യൂബിക്കി ഉപയോഗിക്കുക. YubiKey 4, 4 Nano, 4C, NEO ഉപകരണങ്ങളിൽ പ്രവർത്തിക്കുന്നു."
},
"duoDesc": {
"message": "Duo Mobile അപ്ലിക്കേഷൻ, എസ്എംഎസ്, ഫോൺ കോൾ അല്ലെങ്കിൽ യു 2 എഫ് സുരക്ഷാ കീ ഉപയോഗിച്ച് Duoസെക്യൂരിറ്റി ഉപയോഗിച്ച് പരിശോധിക്കുക.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"duoOrganizationDesc": {
"message": "Duo Mobile, എസ്എംഎസ്, ഫോൺ കോൾ അല്ലെങ്കിൽ യു 2 എഫ് സുരക്ഷാ കീ ഉപയോഗിച്ച് നിങ്ങളുടെ ഓർഗനൈസേഷനെ ഡ്യുവോ സെക്യൂരിറ്റി ഉപയോഗിച്ച് പരിശോധിക്കുക.",
"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": "Use any WebAuthn enabled security key to access your account."
},
"webAuthnMigrated": {
"message": "(Migrated from FIDO)"
},
"emailTitle": {
"message": "ഇമെയിൽ"
},
"emailDesc": {
"message": "സ്ഥിരീകരണ കോഡുകൾ നിങ്ങൾക്ക് ഇമെയിൽ ചെയ്യും."
},
"continue": {
"message": "തുടരുക"
},
"organization": {
"message": "ഓർഗനൈസേഷൻ"
},
"organizations": {
"message": "സംഘടനകൾ"
},
"moveToOrgDesc": {
"message": "Choose an organization that you wish to move this item to. Moving to an organization transfers ownership of the item to that organization. You will no longer be the direct owner of this item once it has been moved."
},
"moveManyToOrgDesc": {
"message": "Choose an organization that you wish to move these items to. Moving to an organization transfers ownership of the items to that organization. You will no longer be the direct owner of these items once they have been moved."
},
"collectionsDesc": {
"message": "Edit the collections that this item is being shared with. Only organization users with access to these collections will be able to see this item."
},
"deleteSelectedItemsDesc": {
"message": "You have selected $COUNT$ item(s) to delete. Are you sure you want to delete all of these items?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsDesc": {
"message": "$COUNT$ തിരഞ്ഞെടുത്ത ഇനങ്ങൾ നീക്കാൻ ആഗ്രഹിക്കുന്ന ഒരു ഫോൾഡർ തിരഞ്ഞെടുക്കുക).",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsCountDesc": {
"message": "You have selected $COUNT$ item(s). $MOVEABLE_COUNT$ item(s) can be moved to an organization, $NONMOVEABLE_COUNT$ cannot.",
"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": "This export encrypts your data using your account's encryption key. If you ever rotate your account's encryption key you should export again since you will not be able to decrypt this export file."
},
"encExportAccountWarningDesc": {
"message": "Account encryption keys are unique to each Bitwarden user account, so you can't import an encrypted export into a different account."
},
"export": {
"message": "Export"
},
"exportVault": {
"message": "വാൾട് എക്സ്പോർട്"
},
"fileFormat": {
"message": "ഫയൽ ഫോർമാറ്റ്"
},
"exportSuccess": {
"message": "നിങ്ങളുടെ വാൾട് ഡാറ്റ എക്സ്പോർട്ടുചെയ്തു."
},
"passwordGenerator": {
"message": "പാസ്സ്വേഡ് സൃഷ്ടാവ്"
},
"minComplexityScore": {
"message": "Minimum Complexity Score"
},
"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": "Proceeding will change your account email address. It will not change the email address used for two-factor authentication. You can change this email address in the Two-Step Login settings."
},
"newEmail": {
"message": "പുതിയ ഇമെയിൽ"
},
"code": {
"message": "കോഡ്"
},
"changeEmailDesc": {
"message": "We have emailed a verification code to $EMAIL$. Please check your email for this code and enter it below to finalize the email address change.",
"placeholders": {
"email": {
"content": "$1",
"example": "john.smith@example.com"
}
}
},
"loggedOutWarning": {
"message": "Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour."
},
"emailChanged": {
"message": "ഇമെയിൽ മാറ്റി"
},
"logBackIn": {
"message": "ദയവായി തിരികെ പ്രവേശിക്കുക."
},
"logBackInOthersToo": {
"message": "Please log back in. If you are using other Bitwarden applications log out and back in to those as well."
},
"changeMasterPassword": {
"message": "പ്രാഥമിക പാസ്വേഡ് മാറ്റുക"
},
"masterPasswordChanged": {
"message": "മാസ്റ്റർ പാസ്വേഡ് മാറ്റി"
},
"currentMasterPass": {
"message": "നിലവിലെ മാസ്റ്റർ പാസ്വേഡ്"
},
"newMasterPass": {
"message": "പുതിയ പ്രാഥമിക പാസ്വേഡ് "
},
"confirmNewMasterPass": {
"message": "പുതിയ പ്രാഥമിക പാസ്വേഡ് സ്ഥിരീകരിക്കുക"
},
"encKeySettings": {
"message": "എൻക്രിപ്ഷൻ കീയുടെ ക്രമീകരണങ്ങൾ"
},
"kdfAlgorithm": {
"message": "KDF അൽഗോരിതം"
},
"kdfIterations": {
"message": "KDF Iterations"
},
"kdfIterationsDesc": {
"message": "Higher KDF iterations can help protect your master password from being brute forced by an attacker. We recommend a value of $VALUE$ or more.",
"placeholders": {
"value": {
"content": "$1",
"example": "100,000"
}
}
},
"kdfIterationsWarning": {
"message": "Setting your KDF iterations too high could result in poor performance when logging into (and unlocking) Bitwarden on devices with slower CPUs. We recommend that you increase the value in increments of $INCREMENT$ and then test all of your devices.",
"placeholders": {
"increment": {
"content": "$1",
"example": "50,000"
}
}
},
"changeKdf": {
"message": "KDF മാറ്റുക"
},
"encKeySettingsChanged": {
"message": "എൻക്രിപ്ഷൻ കീയുടെ ക്രമീകരണങ്ങൾ മാറ്റി"
},
"dangerZone": {
"message": "അപകട മേഖല"
},
"dangerZoneDesc": {
"message": "ശ്രദ്ധിക്കുക, ഈ പ്രവർത്തനങ്ങൾ മാറ്റാനാവില്ല!"
},
"deauthorizeSessions": {
"message": "Deauthorize Sessions"
},
"deauthorizeSessionsDesc": {
"message": "Concerned your account is logged in on another device? Proceed below to deauthorize all computers or devices that you have previously used. This security step is recommended if you previously used a public computer or accidentally saved your password on a device that isn't yours. This step will also clear all previously remembered two-step login sessions."
},
"deauthorizeSessionsWarning": {
"message": "Proceeding will also log you out of your current session, requiring you to log back in. You will also be prompted for two-step login again, if enabled. Active sessions on other devices may continue to remain active for up to one hour."
},
"sessionsDeauthorized": {
"message": "എല്ലാ സെഷനും നിരസിച്ചു."
},
"purgeVault": {
"message": "വാൾട് നശിപ്പിക്കുക"
},
"purgedOrganizationVault": {
"message": "Purged organization vault."
},
"vaultAccessedByProvider": {
"message": "Vault accessed by provider."
},
"purgeVaultDesc": {
"message": "Proceed below to delete all items and folders in your vault. Items that belong to an organization that you share with will not be deleted."
},
"purgeOrgVaultDesc": {
"message": "Proceed below to delete all items in the organization's vault."
},
"purgeVaultWarning": {
"message": "Purging your vault is permanent. It cannot be undone."
},
"vaultPurged": {
"message": "Your vault has been purged."
},
"deleteAccount": {
"message": "അക്കൗണ്ട് ഇല്ലാതാക്കുക"
},
"deleteAccountDesc": {
"message": "Proceed below to delete your account and all associated data."
},
"deleteAccountWarning": {
"message": "Deleting your account is permanent. It cannot be undone."
},
"accountDeleted": {
"message": "അക്കൗണ്ട് നീക്കംചെയ്തു"
},
"accountDeletedDesc": {
"message": "Your account has been closed and all associated data has been deleted."
},
"myAccount": {
"message": "എന്റെ അക്കൗണ്ട്"
},
"tools": {
"message": "ഉപകരണങ്ങൾ"
},
"importData": {
"message": "Import Data"
},
"importError": {
"message": "Import Error"
},
"importErrorDesc": {
"message": "There was a problem with the data you tried to import. Please resolve the errors listed below in your source file and try again."
},
"importSuccess": {
"message": "Data has been successfully imported into your vault."
},
"importWarning": {
"message": "You are importing data to $ORGANIZATION$. Your data may be shared with members of this organization. Do you want to proceed?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"importFormatError": {
"message": "Data is not formatted correctly. Please check your import file and try again."
},
"importNothingError": {
"message": "Nothing was imported."
},
"importEncKeyError": {
"message": "Error decrypting the exported file. Your encryption key does not match the encryption key used export the data."
},
"selectFormat": {
"message": "Select the format of the import file"
},
"selectImportFile": {
"message": "Select the import file"
},
"orCopyPasteFileContents": {
"message": "or copy/paste the import file contents"
},
"instructionsFor": {
"message": "$NAME$ Instructions",
"description": "The title for the import tool instructions.",
"placeholders": {
"name": {
"content": "$1",
"example": "LastPass (csv)"
}
}
},
"options": {
"message": "ഓപ്ഷനുകൾ"
},
"optionsDesc": {
"message": "Customize your web vault experience."
},
"optionsUpdated": {
"message": "Options updated"
},
"language": {
"message": "ഭാഷ"
},
"languageDesc": {
"message": "അപ്ലിക്കേഷൻ ഉപയോഗിക്കുന്ന ഭാഷ മാറ്റുക. പുനരാരംഭിക്കൽ ആവശ്യമാണ്."
},
"disableIcons": {
"message": "Disable Website Icons"
},
"disableIconsDesc": {
"message": "Website Icons provide a recognizable image next to each login item in your vault."
},
"enableGravatars": {
"message": "Enable Gravatars",
"description": "'Gravatar' is the name of a service. See www.gravatar.com"
},
"enableGravatarsDesc": {
"message": "Use avatar images loaded from gravatar.com."
},
"enableFullWidth": {
"message": "Enable Full Width Layout",
"description": "Allows scaling the web vault UI's width"
},
"enableFullWidthDesc": {
"message": "Allow the web vault to expand the full width of the browser window."
},
"default": {
"message": "സാധാരണ പോലെ"
},
"domainRules": {
"message": "ഡൊമെയ്ൻ നിയമങ്ങൾ"
},
"domainRulesDesc": {
"message": "If you have the same login across multiple different website domains, you can mark the website as \"equivalent\". \"Global\" domains are ones already created for you by Bitwarden."
},
"globalEqDomains": {
"message": "Global Equivalent Domains"
},
"customEqDomains": {
"message": "Custom Equivalent Domains"
},
"exclude": {
"message": "ഒഴിവാക്കുക"
},
"include": {
"message": "ഉൾപെടുത്തുക "
},
"customize": {
"message": "Customize"
},
"newCustomDomain": {
"message": "New Custom Domain"
},
"newCustomDomainDesc": {
"message": "Enter a list of domains separated by commas. Only \"base\" domains are allowed. Do not enter subdomains. For example, enter \"google.com\" instead of \"www.google.com\". You can also enter \"androidapp://package.name\" to associate an android app with other website domains."
},
"customDomainX": {
"message": "Custom Domain $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"domainsUpdated": {
"message": "ഡൊമെയ്നുകൾ അപ്ഡേറ്റുചെയ്തു"
},
"twoStepLogin": {
"message": "രണ്ട്-ഘട്ട പ്രവേശനം"
},
"twoStepLoginDesc": {
"message": "Secure your account by requiring an additional step when logging in."
},
"twoStepLoginOrganizationDesc": {
"message": "Require two-step login for your organization's users by configuring providers at the organization level."
},
"twoStepLoginRecoveryWarning": {
"message": "Enabling two-step login can permanently lock you out of your Bitwarden account. A recovery code allows you to access your account in the event that you can no longer use your normal two-step login provider (ex. you lose your device). Bitwarden support will not be able to assist you if you lose access to your account. We recommend you write down or print the recovery code and keep it in a safe place."
},
"viewRecoveryCode": {
"message": "View Recovery Code"
},
"providers": {
"message": "ദാതാക്കൾ",
"description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc."
},
"enable": {
"message": "Enable"
},
"enabled": {
"message": "പ്രവർത്തനക്ഷമമാക്കി"
},
"premium": {
"message": "പ്രീമിയം",
"description": "Premium Membership"
},
"premiumMembership": {
"message": "പ്രീമിയം അംഗത്വം"
},
"premiumRequired": {
"message": "പ്രീമിയം അംഗത്വം ആവശ്യമാണ്"
},
"premiumRequiredDesc": {
"message": "ഈ സവിശേഷത ഉപയോഗിക്കുന്നതിന് പ്രീമിയം അംഗത്വം ആവശ്യമാണ്."
},
"youHavePremiumAccess": {
"message": "You have premium access"
},
"alreadyPremiumFromOrg": {
"message": "You already have access to premium features because of an organization you are a member of."
},
"manage": {
"message": "നിയന്ത്രിക്കുക"
},
"disable": {
"message": "പ്രവര്ത്തന രഹിതമാക്കുക"
},
"twoStepLoginProviderEnabled": {
"message": "This two-step login provider is enabled on your account."
},
"twoStepLoginAuthDesc": {
"message": "Enter your master password to modify two-step login settings."
},
"twoStepAuthenticatorDesc": {
"message": "Follow these steps to set up two-step login with an authenticator app:"
},
"twoStepAuthenticatorDownloadApp": {
"message": "രണ്ട്-ഘട്ട ഓതന്റിക്കേറ്റർ അപ്ലിക്കേഷൻ ഡൗൺലോഡുചെയ്യുക"
},
"twoStepAuthenticatorNeedApp": {
"message": "Need a two-step authenticator app? Download one of the following"
},
"iosDevices": {
"message": "iOS ഉപകരണങ്ങൾ"
},
"androidDevices": {
"message": "Android ഉപകരണങ്ങൾ"
},
"windowsDevices": {
"message": "Windows ഉപകരണങ്ങൾ"
},
"twoStepAuthenticatorAppsRecommended": {
"message": "These apps are recommended, however, other authenticator apps will also work."
},
"twoStepAuthenticatorScanCode": {
"message": "Scan this QR code with your authenticator app"
},
"key": {
"message": "Key"
},
"twoStepAuthenticatorEnterCode": {
"message": "Enter the resulting 6 digit verification code from the app"
},
"twoStepAuthenticatorReaddDesc": {
"message": "In case you need to add it to another device, below is the QR code (or key) required by your authenticator app."
},
"twoStepDisableDesc": {
"message": "Are you sure you want to disable this two-step login provider?"
},
"twoStepDisabled": {
"message": "Two-step login provider disabled."
},
"twoFactorYubikeyAdd": {
"message": "Add a new YubiKey to your account"
},
"twoFactorYubikeyPlugIn": {
"message": "Plug the YubiKey into your computer's USB port."
},
"twoFactorYubikeySelectKey": {
"message": "Select the first empty YubiKey input field below."
},
"twoFactorYubikeyTouchButton": {
"message": "Touch the YubiKey's button."
},
"twoFactorYubikeySaveForm": {
"message": "Save the form."
},
"twoFactorYubikeyWarning": {
"message": "Due to platform limitations, YubiKeys cannot be used on all Bitwarden applications. You should enable another two-step login provider so that you can access your account when YubiKeys cannot be used. Supported platforms:"
},
"twoFactorYubikeySupportUsb": {
"message": "Web vault, desktop application, CLI, and all browser extensions on a device with a USB port that can accept your YubiKey."
},
"twoFactorYubikeySupportMobile": {
"message": "Mobile apps on a device with NFC capabilities or a data port that can accept your YubiKey."
},
"yubikeyX": {
"message": "YubiKey $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"u2fkeyX": {
"message": "U2F Key $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"webAuthnkeyX": {
"message": "WebAuthn Key $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"nfcSupport": {
"message": "NFC Support"
},
"twoFactorYubikeySupportsNfc": {
"message": "One of my keys supports NFC."
},
"twoFactorYubikeySupportsNfcDesc": {
"message": "If one of your YubiKeys supports NFC (such as a YubiKey NEO), you will be prompted on mobile devices whenever NFC availability is detected."
},
"yubikeysUpdated": {
"message": "YubiKeys updated"
},
"disableAllKeys": {
"message": "Disable All Keys"
},
"twoFactorDuoDesc": {
"message": "Enter the Bitwarden application information from your Duo Admin panel."
},
"twoFactorDuoIntegrationKey": {
"message": "Integration Key"
},
"twoFactorDuoSecretKey": {
"message": "Secret Key"
},
"twoFactorDuoApiHostname": {
"message": "API Hostname"
},
"twoFactorEmailDesc": {
"message": "Follow these steps to set up two-step login with email:"
},
"twoFactorEmailEnterEmail": {
"message": "Enter the email that you wish to receive verification codes"
},
"twoFactorEmailEnterCode": {
"message": "Enter the resulting 6 digit verification code from the email"
},
"sendEmail": {
"message": "ഇമെയിൽ അയയ്ക്കുക"
},
"twoFactorU2fAdd": {
"message": "Add a FIDO U2F security key to your account"
},
"removeU2fConfirmation": {
"message": "Are you sure you want to remove this security key?"
},
"twoFactorWebAuthnAdd": {
"message": "Add a WebAuthn security key to your account"
},
"readKey": {
"message": "Read Key"
},
"keyCompromised": {
"message": "Key is compromised."
},
"twoFactorU2fGiveName": {
"message": "Give the security key a friendly name to identify it."
},
"twoFactorU2fPlugInReadKey": {
"message": "Plug the security key into your computer's USB port and click the \"Read Key\" button."
},
"twoFactorU2fTouchButton": {
"message": "If the security key has a button, touch it."
},
"twoFactorU2fSaveForm": {
"message": "Save the form."
},
"twoFactorU2fWarning": {
"message": "Due to platform limitations, FIDO U2F cannot be used on all Bitwarden applications. You should enable another two-step login provider so that you can access your account when FIDO U2F cannot be used. Supported platforms:"
},
"twoFactorU2fSupportWeb": {
"message": "Web vault and browser extensions on a desktop/laptop with a U2F enabled browser (Chrome, Opera, Vivaldi, or Firefox with FIDO U2F enabled)."
},
"twoFactorU2fWaiting": {
"message": "Waiting for you to touch the button on your security key"
},
"twoFactorU2fClickSave": {
"message": "Click the \"Save\" button below to enable this security key for two-step login."
},
"twoFactorU2fProblemReadingTryAgain": {
"message": "There was a problem reading the security key. Try again."
},
"twoFactorWebAuthnWarning": {
"message": "Due to platform limitations, WebAuthn cannot be used on all Bitwarden applications. You should enable another two-step login provider so that you can access your account when WebAuthn cannot be used. Supported platforms:"
},
"twoFactorWebAuthnSupportWeb": {
"message": "Web vault and browser extensions on a desktop/laptop with a WebAuthn enabled browser (Chrome, Opera, Vivaldi, or Firefox with FIDO U2F enabled)."
},
"twoFactorRecoveryYourCode": {
"message": "Your Bitwarden two-step login recovery code"
},
"twoFactorRecoveryNoCode": {
"message": "You have not enabled any two-step login providers yet. After you have enabled a two-step login provider you can check back here for your recovery code."
},
"printCode": {
"message": "Print Code",
"description": "Print 2FA recovery code"
},
"reports": {
"message": "റിപ്പോർട്ടുകൾ"
},
"reportsDesc": {
"message": "Identify and close security gaps in your online accounts by clicking the reports below."
},
"unsecuredWebsitesReport": {
"message": "Unsecured Websites Report"
},
"unsecuredWebsitesReportDesc": {
"message": "Using unsecured websites with the http:// scheme can be dangerous. If the website allows, you should always access it using the https:// scheme so that your connection is encrypted."
},
"unsecuredWebsitesFound": {
"message": "Unsecured Websites Found"
},
"unsecuredWebsitesFoundDesc": {
"message": "We found $COUNT$ items in your vault with unsecured URIs. You should change their URI scheme to https:// if the website allows it.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noUnsecuredWebsites": {
"message": "No items in your vault have unsecured URIs."
},
"inactive2faReport": {
"message": "Inactive 2FA Report"
},
"inactive2faReportDesc": {
"message": "Two-factor authentication (2FA) is an important security setting that helps secure your accounts. If the website offers it, you should always enable two-factor authentication."
},
"inactive2faFound": {
"message": "Logins Without 2FA Found"
},
"inactive2faFoundDesc": {
"message": "We found $COUNT$ website(s) in your vault that may not be configured with two-factor authentication (according to twofactorauth.org). To further protect these accounts, you should enable two-factor authentication.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noInactive2fa": {
"message": "No websites were found in your vault with a missing two-factor authentication configuration."
},
"instructions": {
"message": "Instructions"
},
"exposedPasswordsReport": {
"message": "Exposed Passwords Report"
},
"exposedPasswordsReportDesc": {
"message": "Exposed passwords are passwords that have been uncovered in known data breaches that were released publicly or sold on the dark web by hackers."
},
"exposedPasswordsFound": {
"message": "Exposed Passwords Found"
},
"exposedPasswordsFoundDesc": {
"message": "We found $COUNT$ items in your vault that have passwords that were exposed in known data breaches. You should change them to use a new password.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noExposedPasswords": {
"message": "No items in your vault have passwords that have been exposed in known data breaches."
},
"checkExposedPasswords": {
"message": "Check Exposed Passwords"
},
"exposedXTimes": {
"message": "Exposed $COUNT$ time(s)",
"placeholders": {
"count": {
"content": "$1",
"example": "52"
}
}
},
"weakPasswordsReport": {
"message": "Weak Passwords Report"
},
"weakPasswordsReportDesc": {
"message": "Weak passwords can easily be guessed by hackers and automated tools that are used to crack passwords. The Bitwarden password generator can help you create strong passwords."
},
"weakPasswordsFound": {
"message": "ദുർബലമായ പാസ്വേഡുകൾ കണ്ടെത്തി"
},
"weakPasswordsFoundDesc": {
"message": "We found $COUNT$ items in your vault with passwords that are not strong. You should update them to use stronger passwords.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noWeakPasswords": {
"message": "നിങ്ങളുടെ വാൾട്ടിലെ ഒരു ഇനത്തിനും ദുർബലമായ പാസ്വേഡുകൾ ഇല്ല."
},
"reusedPasswordsReport": {
"message": "Reused Passwords Report"
},
"reusedPasswordsReportDesc": {
"message": "If a service that you use is compromised, reusing the same password elsewhere can allow hackers to easily gain access to more of your online accounts. You should use a unique password for every account or service."
},
"reusedPasswordsFound": {
"message": "Reused Passwords Found"
},
"reusedPasswordsFoundDesc": {
"message": "We found $COUNT$ passwords that are being reused in your vault. You should change them to a unique value.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noReusedPasswords": {
"message": "No logins in your vault have passwords that are being reused."
},
"reusedXTimes": {
"message": "Reused $COUNT$ times",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"dataBreachReport": {
"message": "Data Breach Report"
},
"breachDesc": {
"message": "A \"breach\" is an incident where a site's data has been illegally accessed by hackers and then released publicly. Review the types of data that were compromised (email addresses, passwords, credit cards etc.) and take appropriate action, such as changing passwords."
},
"breachCheckUsernameEmail": {
"message": "Check any usernames or email addresses that you use."
},
"checkBreaches": {
"message": "Check Breaches"
},
"breachUsernameNotFound": {
"message": "$USERNAME$ was not found in any known data breaches.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
}
}
},
"goodNews": {
"message": "നല്ല വാർത്ത",
"description": "ex. Good News, No Breached Accounts Found!"
},
"breachUsernameFound": {
"message": "$USERNAME$ was found in $COUNT$ different data breaches online.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
},
"count": {
"content": "$2",
"example": "7"
}
}
},
"breachFound": {
"message": "Breached Accounts Found"
},
"compromisedData": {
"message": "Compromised data"
},
"website": {
"message": "വെബ്സൈറ്റ്"
},
"affectedUsers": {
"message": "ബാധിത ഉപയോക്താക്കൾ"
},
"breachOccurred": {
"message": "ലംഘനം സംഭവിച്ചു"
},
"breachReported": {
"message": "ലംഘനം റിപ്പോർട്ടുചെയ്തു"
},
"reportError": {
"message": "റിപ്പോർട്ട് ലഭ്യമാക്കുന്നതിൽ ഒരു പിശക് സംഭവിച്ചു. വീണ്ടും ശ്രമിക്ക്."
},
"billing": {
"message": "ബില്ലിംഗ്"
},
"accountCredit": {
"message": "Account Credit",
"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": "Added credit will appear on your account after the payment has been fully processed. Some payment methods are delayed and can take longer to process than others."
},
"makeSureEnoughCredit": {
"message": "Please make sure that your account has enough credit available for this purchase. If your account does not have enough credit available, your default payment method on file will be used for the difference. You can add credit to your account from the Billing page."
},
"creditAppliedDesc": {
"message": "Your account's credit can be used to make purchases. Any available credit will be automatically applied towards invoices generated for this account."
},
"goPremium": {
"message": "പ്രീമിയത്തിലേക്ക് പോകുക",
"description": "Another way of saying \"Get a premium membership\""
},
"premiumUpdated": {
"message": "നിങ്ങൾ പ്രീമിയത്തിലേക്ക് അപ്ഗ്രേഡുചെയ്തു."
},
"premiumUpgradeUnlockFeatures": {
"message": "മികച്ച സവിശേഷതകൾ അൺലോക്ക് ചെയ്യാൻ നിങ്ങളുടെ അക്കൗണ്ട് പ്രീമിയംത്തിലേക്കു അപ്ഗ്രേഡ് ചെയ്യുക."
},
"premiumSignUpStorage": {
"message": "ഫയൽ അറ്റാച്ചുമെന്റുകൾക്കായി 1 GB എൻക്രിപ്റ്റുചെയ്ത സ്റ്റോറേജ്."
},
"premiumSignUpTwoStep": {
"message": "രണ്ട്-ഘട്ട പ്രവേശന ഓപ്ഷനുകളായ Yubikey, FIDO U2F, Duo."
},
"premiumSignUpEmergency": {
"message": "Emergency Access"
},
"premiumSignUpReports": {
"message": "നിങ്ങളുടെ വാൾട് സൂക്ഷിക്കുന്നതിന്. പാസ്വേഡ് ശുചിത്വം, അക്കൗണ്ട് ആരോഗ്യം, ഡാറ്റ ലംഘന റിപ്പോർട്ടുകൾ."
},
"premiumSignUpTotp": {
"message": "നിങ്ങളുടെ വാൾട്ടിലെ പ്രവേശനങ്ങൾക്കായി TOTP പരിശോധന കോഡ് (2FA) സൃഷ്ടാവ്."
},
"premiumSignUpSupport": {
"message": "മുൻഗണന ഉപഭോക്തൃ പിന്തുണ."
},
"premiumSignUpFuture": {
"message": "ഭാവിയിലെ എല്ലാ പ്രീമിയം സവിശേഷതകളും. കൂടുതൽ ഉടനെ വരുന്നു !"
},
"premiumPrice": {
"message": "എല്ലാം വെറും $PRICE$/ വർഷത്തേക്ക്!",
"placeholders": {
"price": {
"content": "$1",
"example": "$10"
}
}
},
"addons": {
"message": "Addons"
},
"premiumAccess": {
"message": "പ്രീമിയം ആക്സസ്"
},
"premiumAccessDesc": {
"message": "You can add premium access to all members of your organization for $PRICE$ /$INTERVAL$.",
"placeholders": {
"price": {
"content": "$1",
"example": "$3.33"
},
"interval": {
"content": "$2",
"example": "'month' or 'year'"
}
}
},
"additionalStorageGb": {
"message": "Additional Storage (GB)"
},
"additionalStorageGbDesc": {
"message": "# of additional GB"
},
"additionalStorageIntervalDesc": {
"message": "Your plan comes with $SIZE$ of encrypted file storage. You can add additional storage for $PRICE$ per GB /$INTERVAL$.",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
},
"price": {
"content": "$2",
"example": "$4.00"
},
"interval": {
"content": "$3",
"example": "'month' or 'year'"
}
}
},
"summary": {
"message": "Summary"
},
"total": {
"message": "ആകെ"
},
"year": {
"message": "വർഷം"
},
"month": {
"message": "മാസം"
},
"monthAbbr": {
"message": "mo.",
"description": "Short abbreviation for 'month'"
},
"paymentChargedAnnually": {
"message": "Your payment method will be charged immediately and then on a recurring basis each year. You may cancel at any time."
},
"paymentCharged": {
"message": "Your payment method will be charged immediately and then on a recurring basis each $INTERVAL$. You may cancel at any time.",
"placeholders": {
"interval": {
"content": "$1",
"example": "month or year"
}
}
},
"paymentChargedWithTrial": {
"message": "Your plan comes with a free 7 day trial. Your payment method will not be charged until the trial has ended. Billing will occur on a recurring basis each $INTERVAL$. You may cancel at any time."
},
"paymentInformation": {
"message": "പേയ്മെന്റ് വിവരങ്ങൾ"
},
"billingInformation": {
"message": "Billing Information"
},
"creditCard": {
"message": "ക്രെഡിറ്റ് കാർഡ്"
},
"paypalClickSubmit": {
"message": "Click the PayPal button to log into your PayPal account, then click the Submit button below to continue."
},
"cancelSubscription": {
"message": "സബ്സ്ക്രിപ്ഷൻ റദ്ദാക്കുക"
},
"subscriptionCanceled": {
"message": "The subscription has been canceled."
},
"pendingCancellation": {
"message": "Pending Cancellation"
},
"subscriptionPendingCanceled": {
"message": "The subscription has been marked for cancellation at the end of the current billing period."
},
"reinstateSubscription": {
"message": "Reinstate Subscription"
},
"reinstateConfirmation": {
"message": "Are you sure you want to remove the pending cancellation request and reinstate your subscription?"
},
"reinstated": {
"message": "The subscription has been reinstated."
},
"cancelConfirmation": {
"message": "Are you sure you want to cancel? You will lose access to all of this subscription's features at the end of this billing cycle."
},
"canceledSubscription": {
"message": "The subscription has been canceled."
},
"neverExpires": {
"message": "Never Expires"
},
"status": {
"message": "Status"
},
"nextCharge": {
"message": "Next Charge"
},
"details": {
"message": "Details"
},
"downloadLicense": {
"message": "ലൈസൻസ് ഡൌൺലോഡ് ചെയ്യുക"
},
"updateLicense": {
"message": "ലൈസൻസ് അപ്ഡേറ്റ് ചെയ്യുക"
},
"updatedLicense": {
"message": "ലൈസൻസ് അപ്ഡേറ്റ് ചെയ്തു"
},
"manageSubscription": {
"message": "സബ്സ്ക്രിപ്ഷനുകൾ മാനേജുചെയ്യുക"
},
"storage": {
"message": "സ്റ്റോറേജ്"
},
"addStorage": {
"message": "സ്റ്റോറേജ് ചേർക്കുക"
},
"removeStorage": {
"message": "സ്റ്റോറേജ് നീക്കംചെയ്യുക"
},
"subscriptionStorage": {
"message": "നിങ്ങളുടെ സബ്സ്ക്രിപ്ഷനിൽ മൊത്തം $MAX_STORAGE$ GB എൻക്രിപ്റ്റ് ചെയ്ത ഫയൽ സംഭരണമുണ്ട്. നിങ്ങൾ നിലവിൽ $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$ GB സംഭരണം ക്രമീകരിച്ചു.",
"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": "നിങ്ങളുടെ അക്കൗണ്ട് പ്രീമിയം അംഗത്വത്തിലേക്ക് അപ്ഗ്രേഡ് ചെയ്യുന്നതിന്, നിങ്ങൾ ശെരിയായ ഒരു ലൈസൻസ് ഫയൽ അപ്ലോഡ് ചെയ്യണം."
},
"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": "Your plan comes with $BASE_SEATS$ user seats. You can add additional users for $SEAT_PRICE$ per user /month.",
"placeholders": {
"base_seats": {
"content": "$1",
"example": "5"
},
"seat_price": {
"content": "$2",
"example": "$2.00"
}
}
},
"userSeatsHowManyDesc": {
"message": "How many user seats do you need? You can also add additional seats later if needed."
},
"planNameFree": {
"message": "സൗജന്യം",
"description": "Free as in 'free beer'."
},
"planDescFree": {
"message": "For testing or personal users to share with $COUNT$ other user.",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"planNameFamilies": {
"message": "കുടുംബങ്ങൾ"
},
"planDescFamilies": {
"message": "വ്യക്തിഗത ഉപയോഗത്തിനായി, കുടുംബവുമായും സുഹൃത്തുക്കളുമായും പങ്കിടാൻ."
},
"planNameTeams": {
"message": "ടീമുകൾ"
},
"planDescTeams": {
"message": "ബിസിനസുകൾക്കും മറ്റ് ടീം ഓർഗനൈസേഷനുകൾക്കുമായി."
},
"planNameEnterprise": {
"message": "എന്റർപ്രൈസ്"
},
"planDescEnterprise": {
"message": "ബിസിനസുകൾക്കും മറ്റ് വലിയ ഓർഗനൈസേഷനുകൾക്കുമായി."
},
"freeForever": {
"message": "എന്നേക്കും സൗജന്യം"
},
"includesXUsers": {
"message": "includes $COUNT$ users",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"additionalUsers": {
"message": "Additional Users"
},
"costPerUser": {
"message": "$COST$ per user",
"placeholders": {
"cost": {
"content": "$1",
"example": "$3"
}
}
},
"limitedUsers": {
"message": "Limited to $COUNT$ users (including you)",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"limitedCollections": {
"message": "Limited to $COUNT$ collections",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"addShareLimitedUsers": {
"message": "Add and share with up to $COUNT$ users",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"addShareUnlimitedUsers": {
"message": "Add and share with unlimited users"
},
"createUnlimitedCollections": {
"message": "Create unlimited Collections"
},
"gbEncryptedFileStorage": {
"message": "$SIZE$ encrypted file storage",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
}
}
},
"onPremHostingOptional": {
"message": "On-premise hosting (optional)"
},
"usersGetPremium": {
"message": "Users get access to Premium Features"
},
"controlAccessWithGroups": {
"message": "ഉപയോക്തൃ ആക്സസ് ഗ്രൂപ്പുകൾ ഉപയോഗിച്ച് നിയന്ത്രിക്കുക"
},
"syncUsersFromDirectory": {
"message": "ഒരു ഡയറക്ടറിയിൽ നിന്നും നിങ്ങളുടെ ഉപയോക്താക്കളെയും ഗ്രൂപ്പുകളെയും സമന്വയിപ്പിക്കുക"
},
"trackAuditLogs": {
"message": "ഓഡിറ്റ് ലോഗുകൾ ഉപയോഗിച്ച് ഉപയോക്തൃ പ്രവർത്തനങ്ങൾ ട്രാക്കുചെയ്യുക"
},
"enforce2faDuo": {
"message": "ഡ്യുവോ ഉപയോഗിച്ച് 2 എഫ്എ നടപ്പിലാക്കുക"
},
"priorityCustomerSupport": {
"message": "Priority customer support"
},
"xDayFreeTrial": {
"message": "$COUNT$ ദിവസത്തെ സ trial ജന്യ ട്രയൽ, എപ്പോൾ വേണമെങ്കിലും റദ്ദാക്കുക",
"placeholders": {
"count": {
"content": "$1",
"example": "7"
}
}
},
"monthly": {
"message": "പ്രതിമാസം"
},
"annually": {
"message": "വർഷം തോറും"
},
"basePrice": {
"message": "അടിസ്ഥാന വില"
},
"organizationCreated": {
"message": "സംഘടനാ സൃഷ്ടിച്ചു"
},
"organizationReadyToGo": {
"message": "Your new organization is ready to go!"
},
"organizationUpgraded": {
"message": "Your organization has been upgraded."
},
"leave": {
"message": "Leave"
},
"leaveOrganizationConfirmation": {
"message": "Are you sure you want to leave this organization?"
},
"leftOrganization": {
"message": "You have left the organization."
},
"defaultCollection": {
"message": "Default Collection"
},
"getHelp": {
"message": "Get Help"
},
"getApps": {
"message": "Get the Apps"
},
"loggedInAs": {
"message": "Logged in as"
},
"eventLogs": {
"message": "Event Logs"
},
"people": {
"message": "People"
},
"policies": {
"message": "നയങ്ങൾ"
},
"singleSignOn": {
"message": "Single Sign-On"
},
"editPolicy": {
"message": "നയം എഡിറ്റുചെയ്യുക"
},
"groups": {
"message": "ഗ്രൂപ്പുകൾ"
},
"newGroup": {
"message": "പുതിയ ഗ്രൂപ്പ്"
},
"addGroup": {
"message": "ഗ്രൂപ്പ് ചേർക്കുക"
},
"editGroup": {
"message": "ഗ്രൂപ്പ് തിരുത്തുക"
},
"deleteGroupConfirmation": {
"message": "ഈ ഗ്രൂപ്പ് ഇല്ലാതാക്കാൻ നിങ്ങൾ ആഗ്രഹിക്കുന്നുണ്ടോ?"
},
"removeUserConfirmation": {
"message": "ഈ ഉപയോക്താവിനെ നീക്കംചെയ്യണമെന്ന് നിങ്ങൾക്ക് ഉറപ്പാണോ?"
},
"removeUserConfirmationKeyConnector": {
"message": "Warning! This user requires Key Connector to manage their encryption. Removing this user from your organization will permanently disable their account. This action cannot be undone. Do you want to proceed?"
},
"externalId": {
"message": "ബാഹ്യ Id"
},
"externalIdDesc": {
"message": "ബാഹ്യ ഐഡി ഒരു റഫറൻസായി ഉപയോഗിക്കാം അല്ലെങ്കിൽ ഈ ഉറവിടം ഒരു ഉപയോക്തൃ ഡയറക്ടറി പോലുള്ള ഒരു ബാഹ്യ സിസ്റ്റത്തിലേക്ക് ലിങ്കുചെയ്യാൻ കഴിയും."
},
"accessControl": {
"message": "പ്രവേശന നിയന്ത്രണം"
},
"groupAccessAllItems": {
"message": "ഈ ഗ്രൂപ്പിന്എല്ലാ ഇനങ്ങളും ആക്സസ് ചെയ്യാനും പരിഷ്ക്കരിക്കാനും കഴിയും."
},
"groupAccessSelectedCollections": {
"message": "തിരഞ്ഞെടുത്ത കളക്ഷനുകൾ മാത്രമേ ഈ ഗ്രൂപ്പിന് ആക്സസ് ചെയ്യാൻ കഴിയൂ."
},
"readOnly": {
"message": "വായിക്കാൻ മാത്രം"
},
"newCollection": {
"message": "പുതിയ കളക്ഷൻ"
},
"addCollection": {
"message": "കളക്ഷൻ ചേർക്കുക "
},
"editCollection": {
"message": "കളക്ഷൻ എഡിറ്റുചെയ്യുക"
},
"deleteCollectionConfirmation": {
"message": "ഈ കളക്ഷൻ ഇല്ലാതാക്കാൻ നിങ്ങൾ ആഗ്രഹിക്കുന്നുണ്ടോ?"
},
"editUser": {
"message": "ഉപയോക്താവിനെ എഡിറ്റുചെയ്യുക"
},
"inviteUser": {
"message": "ഉപയോക്താവിനെ ക്ഷണിക്കുക"
},
"inviteUserDesc": {
"message": "നിങ്ങളുടെ ഓർഗനൈസേഷനിലേക്ക് ഒരു പുതിയ ഉപയോക്താവിനെ അവരുടെ ബിറ്റ്വർഡൻ അക്ക email ണ്ട് ഇമെയിൽ വിലാസം നൽകിക്കൊണ്ട് ക്ഷണിക്കുക. അവർക്ക് ഇതിനകം ഒരു ബിറ്റ്വാർഡൻ അക്ക have ണ്ട് ഇല്ലെങ്കിൽ, ഒരു പുതിയ അക്ക create ണ്ട് സൃഷ്ടിക്കാൻ അവരോട് ആവശ്യപ്പെടും."
},
"inviteMultipleEmailDesc": {
"message": "ഇമെയിൽ വിലാസങ്ങളുടെ ഒരു ലിസ്റ്റ് കോമയാൽ വേർതിരിക്കുന്നതിലൂടെ നിങ്ങൾക്ക് ഒരു സമയം $COUNT$ വരെ ഉപയോക്താക്കളെ ക്ഷണിക്കാൻ കഴിയും.",
"placeholders": {
"count": {
"content": "$1",
"example": "20"
}
}
},
"userUsingTwoStep": {
"message": "ഈ ഉപയോക്താവ് അവരുടെ അക്കൗണ്ട് രണ്ട്-പ്രവേശനം ഉപയോഗിച്ച് സുരക്ഷിതമാക്കിയിരിക്കുന്നു."
},
"userAccessAllItems": {
"message": "ഈ ഉപയോക്താവിന് എല്ലാ ഇനങ്ങളും ആക്സസ് ചെയ്യാനും പരിഷ്ക്കരിക്കാനും കഴിയും."
},
"userAccessSelectedCollections": {
"message": "This user can access only the selected collections."
},
"search": {
"message": "തിരയുക"
},
"invited": {
"message": "ക്ഷണിച്ചു"
},
"accepted": {
"message": "അംഗീകരിച്ചു"
},
"confirmed": {
"message": "സ്ഥിരീകരിച്ചു"
},
"clientOwnerEmail": {
"message": "Client Owner Email"
},
"owner": {
"message": "ഉടമ"
},
"ownerDesc": {
"message": "നിങ്ങളുടെ ഓർഗനൈസേഷന്റെ എല്ലാ വശങ്ങളും നിയന്ത്രിക്കാൻ കഴിയുന്ന ഏറ്റവും ഉയർന്ന ആക്സസ്സുള്ള ഉപയോക്താവ്."
},
"clientOwnerDesc": {
"message": "This user should be independent of the Provider. If the Provider is disassociated with the organization, this user will maintain ownership of the organization."
},
"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": "Web Vault"
},
"loggedIn": {
"message": "പ്രവേശിച്ചിരിക്കുന്നു."
},
"changedPassword": {
"message": "അക്കൗണ്ടിന്റെ പാസ്സ്വേർഡ് മാറ്റി."
},
"enabledUpdated2fa": {
"message": "രണ്ട്-ഘട്ട ലോഗിൻ പ്രവർത്തനക്ഷമമാക്കി / അപ്ഡേറ്റുചെയ്തു."
},
"disabled2fa": {
"message": "രണ്ട് ഘട്ട പ്രവേശനം അപ്രാപ്തമാക്കുക."
},
"recovered2fa": {
"message": "രണ്ട്-ഘട്ട ലോഗിനിൽ നിന്ന് അക്കൗണ്ട് വീണ്ടെടുത്തു."
},
"failedLogin": {
"message": "തെറ്റായ പാസ്വേഡ് ഉപയോഗിച്ച് ലോഗിൻ ശ്രമം പരാജയപ്പെട്ടു."
},
"failedLogin2fa": {
"message": "തെറ്റായ രണ്ട്-ഘട്ട ലോഗിൻ ഉപയോഗിച്ച് ലോഗിൻ ശ്രമം പരാജയപ്പെട്ടു."
},
"exportedVault": {
"message": "Exported vault."
},
"exportedOrganizationVault": {
"message": "Exported organization vault."
},
"editedOrgSettings": {
"message": "Edited organization settings."
},
"createdItemId": {
"message": "Created item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedItemId": {
"message": "Edited item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedItemId": {
"message": "Sent item $ID$ to trash.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"movedItemIdToOrg": {
"message": "Moved item $ID$ to an organization.",
"placeholders": {
"id": {
"content": "$1",
"example": "'Google'"
}
}
},
"viewedItemId": {
"message": "Viewed item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedPasswordItemId": {
"message": "Viewed password for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedHiddenFieldItemId": {
"message": "Viewed hidden field for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedSecurityCodeItemId": {
"message": "Viewed security code for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedPasswordItemId": {
"message": "Copied password for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedHiddenFieldItemId": {
"message": "Copied hidden field for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedSecurityCodeItemId": {
"message": "Copied security code for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"autofilledItemId": {
"message": "Auto-filled item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"createdCollectionId": {
"message": "Created collection $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedCollectionId": {
"message": "Edited collection $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"deletedCollectionId": {
"message": "Deleted collection $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedPolicyId": {
"message": "Edited policy $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"createdGroupId": {
"message": "Created group $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"editedGroupId": {
"message": "Edited group $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"deletedGroupId": {
"message": "Deleted group $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"removedUserId": {
"message": "Removed user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdAttachmentForItem": {
"message": "Created attachment for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedAttachmentForItem": {
"message": "Deleted attachment for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedCollectionsForItem": {
"message": "Edited collections for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"invitedUserId": {
"message": "Invited user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmedUserId": {
"message": "Confirmed user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedUserId": {
"message": "Edited user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedGroupsForUser": {
"message": "Edited groups for user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"unlinkedSsoUser": {
"message": "Unlinked SSO for user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdOrganizationId": {
"message": "Created organization $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"addedOrganizationId": {
"message": "Added organization $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"removedOrganizationId": {
"message": "Removed organization $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"accessedClientVault": {
"message": "Accessed $ID$ organization vault.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"device": {
"message": "ഉപകരണം"
},
"view": {
"message": "പ്രദർശനം"
},
"invalidDateRange": {
"message": "Invalid date range."
},
"errorOccurred": {
"message": "ഒരു പിഴവ് സംഭവിച്ചിരിക്കുന്നു."
},
"userAccess": {
"message": "User Access"
},
"userType": {
"message": "User Type"
},
"groupAccess": {
"message": "Group Access"
},
"groupAccessUserDesc": {
"message": "Edit the groups that this user belongs to."
},
"invitedUsers": {
"message": "Invited user(s)."
},
"resendInvitation": {
"message": "ക്ഷണം വീണ്ടും അയയ്ക്കുക"
},
"resendEmail": {
"message": "Resend Email"
},
"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": "You have users that have accepted their invitation, but still need to be confirmed. Users will not have access to the organization until they are confirmed."
},
"startDate": {
"message": "തുടങ്ങുന്ന ദിവസം"
},
"endDate": {
"message": "അവസാന ദിവസം"
},
"verifyEmail": {
"message": "ഇമെയില് ശരിയാണെന്ന് ഉറപ്പുവരുത്തക"
},
"verifyEmailDesc": {
"message": "എല്ലാ സവിശേഷതകളിലേക്കും ആക്സസ് അൺലോക്കുചെയ്യുന്നതിന് നിങ്ങളുടെ അക്കൗണ്ടിന്റെ ഇമെയിൽ വിലാസം സ്ഥിരീകരിക്കുക."
},
"verifyEmailFirst": {
"message": "നിങ്ങളുടെ അക്കൗണ്ടിന്റെ ഇമെയിൽ വിലാസം ആദ്യം സ്ഥിരീകരിക്കേണ്ടതാണ്. "
},
"checkInboxForVerification": {
"message": "ഒരു സ്ഥിരീകരണ ലിങ്കിനായി നിങ്ങളുടെ ഇമെയിൽ ഇൻബോക്സ് പരിശോധിക്കുക."
},
"emailVerified": {
"message": "നിങ്ങളുടെ ഇമെയിൽ സ്ഥിരീകരിച്ചു."
},
"emailVerifiedFailed": {
"message": "നിങ്ങളുടെ ഇമെയിൽ പരിശോധിച്ചുറപ്പിക്കാനായില്ല. ഒരു പുതിയ സ്ഥിരീകരണ ഇമെയിൽ അയയ്ക്കാൻ ശ്രമിക്കുക."
},
"emailVerificationRequired": {
"message": "Email Verification Required"
},
"emailVerificationRequiredDesc": {
"message": "You must verify your email to use this feature."
},
"updateBrowser": {
"message": "ബ്രൌസർ അപ്ഡേറ്റുചെയ്യുക"
},
"updateBrowserDesc": {
"message": "You are using an unsupported web browser. The web vault may not function properly."
},
"joinOrganization": {
"message": "ഓർഗനൈസേഷനിൽ ചേരുക"
},
"joinOrganizationDesc": {
"message": "You've been invited to join the organization listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"inviteAccepted": {
"message": "ക്ഷണം സ്വീകരിച്ചു"
},
"inviteAcceptedDesc": {
"message": "You can access this organization once an administrator confirms your membership. We'll send you an email when that happens."
},
"inviteAcceptFailed": {
"message": "Unable to accept invitation. Ask an organization admin to send a new invitation."
},
"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": "If you cannot access your account through your normal two-step login methods, you can use your two-step login recovery code to disable all two-step providers on your account."
},
"recoverAccountTwoStep": {
"message": "അക്കൗണ്ടിന്റെ രണ്ട്-ഘട്ട പ്രവേശനം വീണ്ടെടുക്കുക"
},
"twoStepRecoverDisabled": {
"message": "നിങ്ങളുടെ അക്കൗണ്ടിൽ രണ്ട്-ഘട്ട പ്രവേശനം പ്രവർത്തനരഹിതമാക്കി."
},
"learnMore": {
"message": "കൂടുതൽ അറിയുക"
},
"deleteRecoverDesc": {
"message": "നിങ്ങളുടെ അക്കൗണ്ട് വീണ്ടെടുക്കുന്നതിനും ഇല്ലാതാക്കുന്നതിനും ചുവടെ നിങ്ങളുടെ ഇമെയിൽ വിലാസം നൽകുക."
},
"deleteRecoverEmailSent": {
"message": "നിങ്ങളുടെ അക്കൗണ്ട് നിലവിലുണ്ടെങ്കിൽ, കൂടുതൽ നിർദ്ദേശങ്ങളുള്ള ഒരു ഇമെയിൽ ഞങ്ങൾ നിങ്ങൾക്ക് അയച്ചു."
},
"deleteRecoverConfirmDesc": {
"message": "നിങ്ങളുടെ Bitwarden അക്കൗണ്ട് ഇല്ലാതാക്കാൻ നിങ്ങൾ അഭ്യർത്ഥിച്ചു. സ്ഥിരീകരിക്കുന്നതിന് ചുവടെയുള്ള ബട്ടൺ ക്ലിക്കുചെയ്യുക."
},
"myOrganization": {
"message": "എന്റെ സംഘടന"
},
"deleteOrganization": {
"message": "സംഘടന ഇല്ലാതാക്കുക"
},
"deletingOrganizationContentWarning": {
"message": "Enter the master password to confirm deletion of $ORGANIZATION$ and all associated data. Vault data in $ORGANIZATION$ includes:",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"deletingOrganizationActiveUserAccountsWarning": {
"message": "User accounts will remain active after deletion but will no longer be associated to this organization."
},
"deletingOrganizationIsPermanentWarning": {
"message": "Deleting $ORGANIZATION$ is permanent and irreversible.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"organizationDeleted": {
"message": "സംഘടന ഇല്ലാതാക്കി"
},
"organizationDeletedDesc": {
"message": "സംഘടനയും ബന്ധപ്പെട്ട എല്ലാ ഡാറ്റയും ഇല്ലാതാക്കി."
},
"organizationUpdated": {
"message": "സംഘടന അപ്ഡേറ്റുചെയ്തു"
},
"taxInformation": {
"message": "നികുതി വിവരങ്ങൾ"
},
"taxInformationDesc": {
"message": "യുഎസിനുള്ളിലെ ഉപഭോക്താക്കൾക്കായി, വിൽപന നികുതി ആവശ്യകതകൾ നിറവേറ്റുന്നതിന് പിൻ കോഡ് ആവശ്യമാണ്, മറ്റ് രാജ്യങ്ങൾക്കായി നിങ്ങളുടെ ഇൻവോയിസുകളിൽ പ്രത്യക്ഷപ്പെടുന്നതിന് ഒരു ടാക്സ് ഐഡൻറിഫിക്കേഷൻ നമ്പറും (വാറ്റ് / ജിഎസ്ടി) കൂടാതെ / അല്ലെങ്കിൽ വിലാസവും നൽകാം."
},
"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": "ഒരു ബാങ്ക് അക്ക with ണ്ട് ഉപയോഗിച്ചുള്ള പേയ്മെന്റ് യുണൈറ്റഡ് സ്റ്റേറ്റ്സിലെ ഉപയോക്താക്കൾക്ക് മാത്രമേ ലഭ്യമാകൂ. നിങ്ങളുടെ ബാങ്ക് അക്കൗണ്ട് പരിശോധിക്കേണ്ടതുണ്ട്. അടുത്ത 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": "Routing Number",
"description": "Bank account routing number"
},
"accountNumber": {
"message": "അക്കൗണ്ട് നമ്പർ"
},
"accountHolderName": {
"message": "അക്കൗണ്ട് ഉടമയുടെ പേര്"
},
"bankAccountType": {
"message": "അക്കൗണ്ട് തരം"
},
"bankAccountTypeCompany": {
"message": "കമ്പനി (ബിസിനസ്)"
},
"bankAccountTypeIndividual": {
"message": "വ്യക്തിഗത (വ്യക്തിഗത)"
},
"enterInstallationId": {
"message": "നിങ്ങളുടെ ഇൻസ്റ്റാളേഷൻ ഐഡി നൽകുക"
},
"limitSubscriptionDesc": {
"message": "Set a seat limit for your subscription. Once this limit is reached, you will not be able to invite new users."
},
"maxSeatLimit": {
"message": "Maximum Seat Limit (optional)",
"description": "Upper limit of seats to allow through autoscaling"
},
"maxSeatCost": {
"message": "Max potential seat cost"
},
"addSeats": {
"message": "സീറ്റുകൾ ചേർക്കുക ",
"description": "Seat = User Seat"
},
"removeSeats": {
"message": "സീറ്റുകൾ നീക്കംചെയ്യുക",
"description": "Seat = User Seat"
},
"subscriptionDesc": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users."
},
"subscriptionUserSeats": {
"message": "നിങ്ങളുടെ സബ്സ്ക്രിപ്ഷൻ മൊത്തം $COUNT$ ഉപയോക്താക്കളെ അനുവദിക്കുന്നു.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"limitSubscription": {
"message": "Limit Subscription (Optional)"
},
"subscriptionSeats": {
"message": "Subscription Seats"
},
"subscriptionUpdated": {
"message": "Subscription updated"
},
"additionalOptions": {
"message": "Additional Options"
},
"additionalOptionsDesc": {
"message": "For additional help in managing your subscription, please contact Customer Support."
},
"subscriptionUserSeatsUnlimitedAutoscale": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users."
},
"subscriptionUserSeatsLimitedAutoscale": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users until your $MAX$ seat limit is reached.",
"placeholders": {
"max": {
"content": "$1",
"example": "50"
}
}
},
"subscriptionFreePlan": {
"message": "You cannot invite more than $COUNT$ users without upgrading your plan.",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"subscriptionFamiliesPlan": {
"message": "You cannot invite more than $COUNT$ users without upgrading your plan. Please contact Customer Support to upgrade.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionSponsoredFamiliesPlan": {
"message": "Your subscription allows for a total of $COUNT$ users. Your plan is sponsored and billed to an external organization.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionMaxReached": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. You cannot invite more than $COUNT$ users without increasing your subscription seats.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"seatsToAdd": {
"message": "Seats To Add"
},
"seatsToRemove": {
"message": "നീക്കംചെയ്യാനുള്ള സീറ്റുകൾ"
},
"seatsAddNote": {
"message": "Adding user seats will result in adjustments to your billing totals and immediately charge your payment method on file. The first charge will be prorated for the remainder of the current billing cycle."
},
"seatsRemoveNote": {
"message": "Removing user seats will result in adjustments to your billing totals that will be prorated as credits toward your next billing charge."
},
"adjustedSeats": {
"message": "Adjusted $AMOUNT$ user seats.",
"placeholders": {
"amount": {
"content": "$1",
"example": "15"
}
}
},
"keyUpdated": {
"message": "കീ അപ്ഡേറ്റുചെയ്തു"
},
"updateKeyTitle": {
"message": "കീ അപ്ഡേറ്റുചെയ്യുക"
},
"updateEncryptionKey": {
"message": "എൻക്രിപ്ഷൻ കീ അപ്ഡേറ്റുചെയ്യുക"
},
"updateEncryptionKeyShortDesc": {
"message": "You are currently using an outdated encryption scheme."
},
"updateEncryptionKeyDesc": {
"message": "We've moved to larger encryption keys that provide better security and access to newer features. Updating your encryption key is quick and easy. Just type your master password below. This update will eventually become mandatory."
},
"updateEncryptionKeyWarning": {
"message": "After updating your encryption key, you are required to log out and back in to all Bitwarden applications that you are currently using (such as the mobile app or browser extensions). Failure to log out and back in (which downloads your new encryption key) may result in data corruption. We will attempt to log you out automatically, however, it may be delayed."
},
"updateEncryptionKeyExportWarning": {
"message": "Any encrypted exports that you have saved will also become invalid."
},
"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": "എന്റെ അക്കൗണ്ടിന്റെ എൻക്രിപ്ഷൻ കീയും rotate ചെയ്യുക"
},
"rotateEncKeyTitle": {
"message": "എൻക്രിപ്ഷൻ കീ തിരിക്കുക"
},
"rotateEncKeyConfirmation": {
"message": "Are you sure you want to rotate your account's encryption key?"
},
"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": "Bitwarden പബ്ലിക് API-ലേക്ക് പ്രാമാണീകരിക്കാൻ നിങ്ങളുടെ API കീ ഉപയോഗിക്കാം."
},
"apiKeyRotateDesc": {
"message": "API കീ തിരിക്കുന്നത് മുമ്പത്തെ കീ അസാധുവാക്കും. നിലവിലെ കീ ഉപയോഗിക്കാൻ സുരക്ഷിതമല്ലെന്ന് നിങ്ങൾ വിശ്വസിക്കുന്നുവെങ്കിൽ നിങ്ങളുടെ API കീ തിരിക്കാൻ കഴിയും."
},
"apiKeyWarning": {
"message": "നിങ്ങളുടെ API കീയ്ക്ക് സംഘടനയിലേക്ക് പൂർണ്ണ ആക്സസ് ഉണ്ട്. അതുകൊണ്ടു ഇത് രഹസ്യമായി സൂക്ഷിക്കണം."
},
"userApiKeyDesc": {
"message": "ബിറ്റ്വാർഡൻ CLI- യിൽ പ്രാമാണീകരിക്കാൻ നിങ്ങളുടെ API കീ ഉപയോഗിക്കാം."
},
"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": "In-app Purchase"
},
"cannotPerformInAppPurchase": {
"message": "You cannot perform this action while using an in-app purchase payment method."
},
"manageSubscriptionFromStore": {
"message": "You must manage your subscription from the store where your in-app purchase was made."
},
"minLength": {
"message": "കുറഞ്ഞ നീളം"
},
"clone": {
"message": "ക്ലോൺ"
},
"masterPassPolicyDesc": {
"message": "Set minimum requirements for master password strength."
},
"twoStepLoginPolicyDesc": {
"message": "ഉപയോക്താക്കൾക്ക് അവരുടെ സ്വകാര്യ അക്കൗണ്ടുകളിൽ രണ്ട്-ഘട്ട പ്രവേശനം സജ്ജമാക്കാൻ ആവശ്യപ്പെടുക."
},
"twoStepLoginPolicyWarning": {
"message": "വ്യക്തിഗത അക്ക for ണ്ടിനായി രണ്ട്-ഘട്ട ലോഗിൻ പ്രാപ്തമാക്കിയിട്ടില്ലാത്ത ഓർഗനൈസേഷൻ അംഗങ്ങളെ ഓർഗനൈസേഷനിൽ നിന്ന് നീക്കംചെയ്യുകയും മാറ്റത്തെക്കുറിച്ച് അറിയിക്കുന്ന ഒരു ഇമെയിൽ ലഭിക്കുകയും ചെയ്യും."
},
"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": "VAT/GST വിവരങ്ങൾ ഉൾപ്പെടുത്തുക (ഓപ്ഷണൽ)"
},
"taxIdNumber": {
"message": "VAT/GST ടാക്സ് ഐഡി"
},
"taxInfoUpdated": {
"message": "നികുതി വിവരങ്ങൾ പുതുക്കിയിരിക്കുന്നു."
},
"setMasterPassword": {
"message": "പ്രാഥമിക പാസ്വേഡ് സജ്ജമാക്കു"
},
"ssoCompleteRegistration": {
"message": "SSO ഉപയോഗിച്ച് പ്രവേശനം പൂർത്തിയാക്കാനും, നിങ്ങളുടെ വാൾട് ആക്സസ് ചെയ്യാനും സുരക്ഷിതമാക്കാനും ഒരു പ്രാഥമിക പാസ്വേഡ് സജ്ജമാക്കുക."
},
"identifier": {
"message": "ഐഡന്റിഫയർ"
},
"organizationIdentifier": {
"message": "സംഘടനയുടെ ഐഡന്റിഫയർ"
},
"ssoLogInWithOrgIdentifier": {
"message": "നിങ്ങളുടെ സംഘടനയുടെ സിംഗിൾ സൈൻ-ഓൺ പോർട്ടൽ ഉപയോഗിച്ച് വേഗത്തിൽ ലോഗിൻ ചെയ്യുക. ആരംഭിക്കുന്നതിന് ദയവായി നിങ്ങളുടെ സംഘടനയുടെ ഐഡന്റിഫയർ നൽകുക."
},
"enterpriseSingleSignOn": {
"message": "എന്റർപ്രൈസ് SSO"
},
"ssoHandOff": {
"message": "നിങ്ങൾക്ക് ഇപ്പോൾ ഈ ടാബ് അടച്ച് വിപുലീകരണത്തിൽ തുടരാം."
},
"includeAllTeamsFeatures": {
"message": "എല്ലാ ടീമുകളുടെ സവിശേഷതകളും, കൂടാതെ:"
},
"includeSsoAuthentication": {
"message": "SSO Authentication via SAML2.0 and OpenID Connect"
},
"includeEnterprisePolicies": {
"message": "എന്റർപ്രൈസ് പോളിസികൾ"
},
"ssoValidationFailed": {
"message": "SSO മൂല്യനിർണ്ണയം പരാജയപ്പെട്ടു"
},
"ssoIdentifierRequired": {
"message": "സംഘടനയുടെ ഐഡന്റിഫയർ ആവശ്യമാണ്."
},
"unlinkSso": {
"message": "Unlink SSO"
},
"unlinkSsoConfirmation": {
"message": "Are you sure you want to unlink SSO for this organization?"
},
"linkSso": {
"message": "SSO ബന്ധിപ്പിക്കുക"
},
"singleOrg": {
"message": "ഒറ്റ ഓർഗനൈസേഷൻ"
},
"singleOrgDesc": {
"message": "മറ്റേതെങ്കിലും ഓർഗനൈസേഷനിൽ ചേരുന്നതിൽ നിന്ന് ഉപയോക്താക്കളെ നിയന്ത്രിക്കുക."
},
"singleOrgBlockCreateMessage": {
"message": "ഒന്നിൽ കൂടുതൽ ഓർഗനൈസേഷനിൽ ചേരാൻ നിങ്ങളെ അനുവദിക്കാത്ത ഒരു നയമാണ് നിങ്ങളുടെ നിലവിലെ ഓർഗനൈസേഷന് ഉള്ളത്. നിങ്ങളുടെ ഓർഗനൈസേഷൻ അഡ്മിനുകളുമായി ബന്ധപ്പെടുക അല്ലെങ്കിൽ മറ്റൊരു ബിറ്റ്വാർഡൻ അക്കൗണ്ടിൽ നിന്ന് സൈൻ അപ്പ് ചെയ്യുക."
},
"singleOrgPolicyWarning": {
"message": "ഉടമകളോ അഡ്മിനിസ്ട്രേറ്റർമാരോ അല്ലാത്തവരും ഇതിനകം മറ്റൊരു ഓർഗനൈസേഷനിൽ അംഗവുമായ ഓർഗനൈസേഷൻ അംഗങ്ങളെ നിങ്ങളുടെ ഓർഗനൈസേഷനിൽ നിന്ന് നീക്കംചെയ്യും."
},
"requireSso": {
"message": "സിംഗിൾ സൈൻ-ഓൺ പ്രാമാണീകരണം"
},
"requireSsoPolicyDesc": {
"message": "എന്റർപ്രൈസ് സിംഗിൾ സൈൻ-ഓൺ രീതി ഉപയോഗിച്ച് ഉപയോക്താക്കൾ ലോഗിൻ ചെയ്യാൻ ആവശ്യപ്പെടുന്നു."
},
"prerequisite": {
"message": "മുൻവ്യവസ്ഥ"
},
"requireSsoPolicyReq": {
"message": "ഈ നയം സജീവമാക്കുന്നതിന് മുമ്പ് സിംഗിൾ ഓർഗനൈസേഷൻ എന്റർപ്രൈസ് നയം പ്രവർത്തനക്ഷമമാക്കിയിരിക്കണം."
},
"requireSsoPolicyReqError": {
"message": "സിംഗിൾ ഓർഗനൈസേഷൻ നയം പ്രവർത്തനക്ഷമമാക്കിയിട്ടില്ല."
},
"requireSsoExemption": {
"message": "ഓർഗനൈസേഷൻ ഉടമകളെയും രക്ഷാധികാരികളെയും ഈ നയം നടപ്പിലാക്കുന്നതിൽ നിന്നും ഒഴിവാക്കിയിരിക്കുന്നു."
},
"sendTypeFile": {
"message": "ഫയൽ"
},
"sendTypeText": {
"message": "വാചകം"
},
"createSend": {
"message": "പുതിയ Send സൃഷ്ടിക്കുക",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editSend": {
"message": "Send തിരുത്തുക",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"createdSend": {
"message": "Send സൃഷ്ടിച്ചു",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editedSend": {
"message": "Send തിരുത്തി",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletedSend": {
"message": "Send ഇല്ലാതാക്കി",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSend": {
"message": "Send ഇല്ലാതാക്കുക",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSendConfirmation": {
"message": "ഈ Send ഇല്ലാതാക്കാൻ നിങ്ങൾ ആഗ്രഹിക്കുന്നുണ്ടോ?",
"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": "The Send will be permanently deleted on the specified date and time.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDate": {
"message": "കാലഹരണപ്പെടുന്ന തീയതി"
},
"expirationDateDesc": {
"message": "If set, access to this Send will expire on the specified date and time.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"maxAccessCount": {
"message": "പരമാവധി ആക്സസ് എണ്ണം"
},
"maxAccessCountDesc": {
"message": "If set, users will no longer be able to access this Send once the maximum access count is reached.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"currentAccessCount": {
"message": "നിലവിലെ ആക്സസ്സ് എണ്ണം"
},
"sendPasswordDesc": {
"message": "Optionally require a password for users to access this Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNotesDesc": {
"message": "Private notes about this Send.",
"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": "Send ലിങ്ക് പകർത്തുക",
"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": "Hide my email address from recipients."
},
"disableThisSend": {
"message": "Disable this Send so that no one can access it.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"allSends": {
"message": "എല്ലാം Send-കൾ"
},
"maxAccessCountReached": {
"message": "Max access count reached",
"description": "This text will be displayed after a Send has been accessed the maximum amount of times."
},
"pendingDeletion": {
"message": "Pending deletion"
},
"expired": {
"message": "Expired"
},
"searchSends": {
"message": "Send-കൾ തിരയുക",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPassword": {
"message": "ഈ Send പാസ്വേഡ് ഉപയോഗിച്ച് സുരക്ഷിതമാക്കിയിരിക്കുന്നു. തുടരുന്നതിന് ദയവായി ചുവടെ പാസ്വേഡ് ടൈപ്പുചെയ്യുക.",
"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": "ഈ Send സ്ഥിരസ്ഥിതിയായി മറച്ചിരിക്കുന്നു. ചുവടെയുള്ള ബട്ടൺ ഉപയോഗിച്ചാൽ നിങ്ങൾക്ക് അതിന്റെ ദൃശ്യപരത ടോഗിൾ ചെയ്യാൻ കഴിയും.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"downloadFile": {
"message": "ഫയൽ ഡൗൺലോഡുചെയ്യുക"
},
"sendAccessUnavailable": {
"message": "The Send you are trying to access does not exist or is no longer available.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"missingSendFile": {
"message": "The file associated with this Send could not be found.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"noSendsInList": {
"message": "പ്രദർശിപ്പിക്കാൻ Send-കളൊന്നുമില്ല.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"emergencyAccess": {
"message": "Emergency Access"
},
"emergencyAccessDesc": {
"message": "Grant and manage emergency access for trusted contacts. Trusted contacts may request access to either View or Takeover your account in case of an emergency. Visit our help page for more information and details into how zero knowledge sharing works."
},
"emergencyAccessOwnerWarning": {
"message": "You are an Owner of one or more organizations. If you give takeover access to an emergency contact, they will be able to use all your permissions as Owner after a takeover."
},
"trustedEmergencyContacts": {
"message": "Trusted emergency contacts"
},
"noTrustedContacts": {
"message": "You have not added any emergency contacts yet, invite a trusted contact to get started."
},
"addEmergencyContact": {
"message": "Add emergency contact"
},
"designatedEmergencyContacts": {
"message": "Designated as emergency contact"
},
"noGrantedAccess": {
"message": "You have not been designated as an emergency contact for anyone yet."
},
"inviteEmergencyContact": {
"message": "Invite emergency contact"
},
"editEmergencyContact": {
"message": "Edit emergency contact"
},
"inviteEmergencyContactDesc": {
"message": "Invite a new emergency contact by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account."
},
"emergencyAccessRecoveryInitiated": {
"message": "Emergency Access Initiated"
},
"emergencyAccessRecoveryApproved": {
"message": "Emergency Access Approved"
},
"viewDesc": {
"message": "Can view all items in your own vault."
},
"takeover": {
"message": "Takeover"
},
"takeoverDesc": {
"message": "Can reset your account with a new master password."
},
"waitTime": {
"message": "Wait Time"
},
"waitTimeDesc": {
"message": "Time required before automatically granting access."
},
"oneDay": {
"message": "1 day"
},
"days": {
"message": "$DAYS$ days",
"placeholders": {
"days": {
"content": "$1",
"example": "1"
}
}
},
"invitedUser": {
"message": "Invited user."
},
"acceptEmergencyAccess": {
"message": "You've been invited to become an emergency contact for the user listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"emergencyInviteAcceptFailed": {
"message": "Unable to accept invitation. Ask the user to send a new invitation."
},
"emergencyInviteAcceptFailedShort": {
"message": "Unable to accept invitation. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"emergencyInviteAcceptedDesc": {
"message": "You can access the emergency options for this user after your identity has been confirmed. We'll send you an email when that happens."
},
"requestAccess": {
"message": "അക്സസ്സ് അഭ്യർത്ഥിക്കുക"
},
"requestAccessConfirmation": {
"message": "Are you sure you want to request emergency access? You will be provided access after $WAITTIME$ day(s) or whenever the user manually approves the request.",
"placeholders": {
"waittime": {
"content": "$1",
"example": "1"
}
}
},
"requestSent": {
"message": "Emergency access requested for $USER$. We'll notify you by email when it's possible to continue.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"approve": {
"message": "Approve"
},
"reject": {
"message": "നിരസിക്കുക"
},
"approveAccessConfirmation": {
"message": "Are you sure you want to approve emergency access? This will allow $USER$ to $ACTION$ your account.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
},
"action": {
"content": "$2",
"example": "View"
}
}
},
"emergencyApproved": {
"message": "Emergency access approved."
},
"emergencyRejected": {
"message": "Emergency access rejected"
},
"passwordResetFor": {
"message": "Password reset for $USER$. You can now login using the new password.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"personalOwnership": {
"message": "വ്യക്തിഗത ഉടമസ്ഥാവകാശം"
},
"personalOwnershipPolicyDesc": {
"message": "Require users to save vault items to an organization by removing the personal ownership option."
},
"personalOwnershipExemption": {
"message": "Organization Owners and Administrators are exempt from this policy's enforcement."
},
"personalOwnershipSubmitError": {
"message": "Due to an enterprise policy, you are restricted from saving items to your personal vault. Change the Ownership option to an organization and choose from available Collections."
},
"disableSend": {
"message": "Disable Send"
},
"disableSendPolicyDesc": {
"message": "Do not allow users to create or edit a Bitwarden Send. Deleting an existing Send is still allowed.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disableSendExemption": {
"message": "Organization users that can manage the organization's policies are exempt from this policy's enforcement."
},
"sendDisabled": {
"message": "Send disabled",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendDisabledWarning": {
"message": "Due to an enterprise policy, you are only able to delete an existing Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptions": {
"message": "Send Options",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyDesc": {
"message": "Set options for creating and editing Sends.",
"description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsExemption": {
"message": "Organization users that can manage the organization's policies are exempt from this policy's enforcement."
},
"disableHideEmail": {
"message": "Do not allow users to hide their email address from recipients when creating or editing a Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyInEffect": {
"message": "The following organization policies are currently in effect:"
},
"sendDisableHideEmailInEffect": {
"message": "Users are not allowed to hide their email address from recipients when creating or editing a Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"modifiedPolicyId": {
"message": "Modified policy $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"planPrice": {
"message": "Plan price"
},
"estimatedTax": {
"message": "കണക്കാക്കിയ നികുതി"
},
"custom": {
"message": "Custom"
},
"customDesc": {
"message": "Allows more granular control of user permissions for advanced configurations."
},
"permissions": {
"message": "അനുമതികൾ"
},
"accessEventLogs": {
"message": "Access Event Logs"
},
"accessImportExport": {
"message": "Access Import/Export"
},
"accessReports": {
"message": "റിപ്പോർട്ടുകൾ അക്സസ്സ് ചെയ്യുക"
},
"missingPermissions": {
"message": "You lack the necessary permissions to perform this action."
},
"manageAllCollections": {
"message": "എല്ലാ കളക്ഷനുകളും നിയത്രിക്കുക"
},
"createNewCollections": {
"message": "Create New Collections"
},
"editAnyCollection": {
"message": "Edit Any Collection"
},
"deleteAnyCollection": {
"message": "Delete Any Collection"
},
"manageAssignedCollections": {
"message": "Manage Assigned Collections"
},
"editAssignedCollections": {
"message": "Edit Assigned Collections"
},
"deleteAssignedCollections": {
"message": "Delete Assigned Collections"
},
"manageGroups": {
"message": "ഗ്രൂപ്പുകൾ നിയന്ത്രിക്കുക"
},
"managePolicies": {
"message": "നയങ്ങൾ നിയന്ത്രിക്കുക"
},
"manageSso": {
"message": "SSO നിയന്ത്രിക്കുക"
},
"manageUsers": {
"message": "ഉപയോക്താക്കളെ നിയന്ത്രിക്കുക"
},
"manageResetPassword": {
"message": "Manage Password Reset"
},
"disableRequiredError": {
"message": "You must manually disable the $POLICYNAME$ policy before this policy can be disabled.",
"placeholders": {
"policyName": {
"content": "$1",
"example": "Single Sign-On Authentication"
}
}
},
"personalOwnershipPolicyInEffect": {
"message": "An organization policy is affecting your ownership options."
},
"personalOwnershipPolicyInEffectImports": {
"message": "An organization policy has disabled importing items into your personal vault."
},
"personalOwnershipCheckboxDesc": {
"message": "Disable personal ownership for organization users"
},
"textHiddenByDefault": {
"message": "When accessing the Send, hide the text by default",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNameDesc": {
"message": "A friendly name to describe this Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendTextDesc": {
"message": "The text you want to send."
},
"sendFileDesc": {
"message": "The file you want to send."
},
"copySendLinkOnSave": {
"message": "Copy the link to share this Send to my clipboard upon save."
},
"sendLinkLabel": {
"message": "Send link",
"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 transmits sensitive, temporary information to others easily and securely.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineLearnMore": {
"message": "Learn more about",
"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": "Share text or files directly with anyone."
},
"sendVaultCardLearnMore": {
"message": "Learn more",
"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": "see",
"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": "how it works",
"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": "or",
"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": "try it now",
"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": "or",
"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": "sign up",
"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": "to try it today.",
"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 $USER_IDENTIFIER$ shared the following with you",
"placeholders": {
"user_identifier": {
"content": "$1",
"example": "An email address"
}
}
},
"viewSendHiddenEmailWarning": {
"message": "The Bitwarden user who created this Send has chosen to hide their email address. You should ensure you trust the source of this link before using or downloading its content.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDateIsInvalid": {
"message": "The expiration date provided is not valid."
},
"deletionDateIsInvalid": {
"message": "The deletion date provided is not valid."
},
"expirationDateAndTimeRequired": {
"message": "An expiration date and time are required."
},
"deletionDateAndTimeRequired": {
"message": "A deletion date and time are required."
},
"dateParsingError": {
"message": "There was an error saving your deletion and expiration dates."
},
"webAuthnFallbackMsg": {
"message": "To verify your 2FA please click the button below."
},
"webAuthnAuthenticate": {
"message": "Authenticate WebAuthn"
},
"webAuthnNotSupported": {
"message": "WebAuthn is not supported in this browser."
},
"webAuthnSuccess": {
"message": "WebAuthn verified successfully! You may close this tab."
},
"hintEqualsPassword": {
"message": "Your password hint cannot be the same as your password."
},
"enrollPasswordReset": {
"message": "Enroll in Password Reset"
},
"enrolledPasswordReset": {
"message": "Enrolled in Password Reset"
},
"withdrawPasswordReset": {
"message": "Withdraw from Password Reset"
},
"enrollPasswordResetSuccess": {
"message": "Enrollment success!"
},
"withdrawPasswordResetSuccess": {
"message": "Withdrawal success!"
},
"eventEnrollPasswordReset": {
"message": "User $ID$ enrolled in password reset assistance.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventWithdrawPasswordReset": {
"message": "User $ID$ withdrew from password reset assistance.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventAdminPasswordReset": {
"message": "Master password reset for user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventResetSsoLink": {
"message": "Reset Sso link for user $ID$",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"firstSsoLogin": {
"message": "$ID$ logged in using Sso for the first time",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"resetPassword": {
"message": "Reset Password"
},
"resetPasswordLoggedOutWarning": {
"message": "Proceeding will log $NAME$ out of their current session, requiring them to log back in. Active sessions on other devices may continue to remain active for up to one hour.",
"placeholders": {
"name": {
"content": "$1",
"example": "John Smith"
}
}
},
"thisUser": {
"message": "this user"
},
"resetPasswordMasterPasswordPolicyInEffect": {
"message": "One or more organization policies require the master password to meet the following requirements:"
},
"resetPasswordSuccess": {
"message": "Password reset success!"
},
"resetPasswordEnrollmentWarning": {
"message": "Enrollment will allow organization administrators to change your master password. Are you sure you want to enroll?"
},
"resetPasswordPolicy": {
"message": "Master Password Reset"
},
"resetPasswordPolicyDescription": {
"message": "Allow administrators in the organization to reset organization users' master password."
},
"resetPasswordPolicyWarning": {
"message": "Users in the organization will need to self-enroll or be auto-enrolled before administrators can reset their master password."
},
"resetPasswordPolicyAutoEnroll": {
"message": "Automatic Enrollment"
},
"resetPasswordPolicyAutoEnrollDescription": {
"message": "All users will be automatically enrolled in password reset once their invite is accepted and will not be allowed to withdraw."
},
"resetPasswordPolicyAutoEnrollWarning": {
"message": "Users already in the organization will not be retroactively enrolled in password reset. They will need to self-enroll before administrators can reset their master password."
},
"resetPasswordPolicyAutoEnrollCheckbox": {
"message": "Require new users to be enrolled automatically"
},
"resetPasswordAutoEnrollInviteWarning": {
"message": "This organization has an enterprise policy that will automatically enroll you in password reset. Enrollment will allow organization administrators to change your master password."
},
"resetPasswordOrgKeysError": {
"message": "Organization Keys response is null"
},
"resetPasswordDetailsError": {
"message": "Reset Password Details response is null"
},
"trashCleanupWarning": {
"message": "Items that have been in Trash more than 30 days will be automatically deleted."
},
"trashCleanupWarningSelfHosted": {
"message": "Items that have been in Trash for a while will be automatically deleted."
},
"passwordPrompt": {
"message": "Master password re-prompt"
},
"passwordConfirmation": {
"message": "Master password confirmation"
},
"passwordConfirmationDesc": {
"message": "This action is protected. To continue, please re-enter your master password to verify your identity."
},
"reinviteSelected": {
"message": "Resend Invitations"
},
"noSelectedUsersApplicable": {
"message": "This action is not applicable to any of the selected users."
},
"removeUsersWarning": {
"message": "Are you sure you want to remove the following users? The process may take a few seconds to complete and cannot be interrupted or canceled."
},
"theme": {
"message": "Theme"
},
"themeDesc": {
"message": "Choose a theme for your web vault."
},
"themeSystem": {
"message": "Use System Theme"
},
"themeDark": {
"message": "Dark"
},
"themeLight": {
"message": "Light"
},
"confirmSelected": {
"message": "Confirm Selected"
},
"bulkConfirmStatus": {
"message": "Bulk action status"
},
"bulkConfirmMessage": {
"message": "Confirmed successfully."
},
"bulkReinviteMessage": {
"message": "Reinvited successfully."
},
"bulkRemovedMessage": {
"message": "Removed successfully"
},
"bulkFilteredMessage": {
"message": "Excluded, not applicable for this action."
},
"fingerprint": {
"message": "Fingerprint"
},
"removeUsers": {
"message": "Remove Users"
},
"error": {
"message": "Error"
},
"resetPasswordManageUsers": {
"message": "Manage Users must also be enabled with the Manage Password Reset permission"
},
"setupProvider": {
"message": "Provider Setup"
},
"setupProviderLoginDesc": {
"message": "You've been invited to setup a new provider. To continue, you need to log in or create a new Bitwarden account."
},
"setupProviderDesc": {
"message": "Please enter the details below to complete the provider setup. Contact Customer Support if you have any questions."
},
"providerName": {
"message": "Provider Name"
},
"providerSetup": {
"message": "The provider has been set up."
},
"clients": {
"message": "Clients"
},
"providerAdmin": {
"message": "Provider Admin"
},
"providerAdminDesc": {
"message": "The highest access user that can manage all aspects of your provider as well as access and manage client organizations."
},
"serviceUser": {
"message": "Service User"
},
"serviceUserDesc": {
"message": "Service users can access and manage all client organizations."
},
"providerInviteUserDesc": {
"message": "Invite a new user to your provider by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account."
},
"joinProvider": {
"message": "Join Provider"
},
"joinProviderDesc": {
"message": "You've been invited to join the provider listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"providerInviteAcceptFailed": {
"message": "Unable to accept invitation. Ask a provider admin to send a new invitation."
},
"providerInviteAcceptedDesc": {
"message": "You can access this provider once an administrator confirms your membership. We'll send you an email when that happens."
},
"providerUsersNeedConfirmed": {
"message": "You have users that have accepted their invitation, but still need to be confirmed. Users will not have access to the provider until they are confirmed."
},
"provider": {
"message": "Provider"
},
"newClientOrganization": {
"message": "New Client Organization"
},
"newClientOrganizationDesc": {
"message": "Create a new client organization that will be associated with you as the provider. You will be able to access and manage this organization."
},
"addExistingOrganization": {
"message": "Add Existing Organization"
},
"myProvider": {
"message": "My Provider"
},
"addOrganizationConfirmation": {
"message": "Are you sure you want to add $ORGANIZATION$ as a client to $PROVIDER$?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
},
"provider": {
"content": "$2",
"example": "My Provider Name"
}
}
},
"organizationJoinedProvider": {
"message": "Organization was successfully added to the provider"
},
"accessingUsingProvider": {
"message": "Accessing organization using provider $PROVIDER$",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"providerIsDisabled": {
"message": "Provider is disabled."
},
"providerUpdated": {
"message": "Provider updated"
},
"yourProviderIs": {
"message": "Your provider is $PROVIDER$. They have administrative and billing privileges for your organization.",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"detachedOrganization": {
"message": "The organization $ORGANIZATION$ has been detached from your provider.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"detachOrganizationConfirmation": {
"message": "Are you sure you want to detach this organization? The organization will continue to exist but will no longer be managed by the provider."
},
"add": {
"message": "Add"
},
"updatedMasterPassword": {
"message": "Updated Master Password"
},
"updateMasterPassword": {
"message": "Update Master Password"
},
"updateMasterPasswordWarning": {
"message": "Your Master Password was recently changed by an administrator in your organization. In order to access the vault, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour."
},
"masterPasswordInvalidWarning": {
"message": "Your Master Password does not meet the policy requirements of this organization. In order to join the organization, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour."
},
"maximumVaultTimeout": {
"message": "Vault Timeout"
},
"maximumVaultTimeoutDesc": {
"message": "Configure a maximum vault timeout for all users."
},
"maximumVaultTimeoutLabel": {
"message": "Maximum Vault Timeout"
},
"invalidMaximumVaultTimeout": {
"message": "Invalid Maximum Vault Timeout."
},
"hours": {
"message": "Hours"
},
"minutes": {
"message": "Minutes"
},
"vaultTimeoutPolicyInEffect": {
"message": "Your organization policies are affecting your vault timeout. Maximum allowed Vault Timeout is $HOURS$ hour(s) and $MINUTES$ minute(s)",
"placeholders": {
"hours": {
"content": "$1",
"example": "5"
},
"minutes": {
"content": "$2",
"example": "5"
}
}
},
"customVaultTimeout": {
"message": "Custom Vault Timeout"
},
"vaultTimeoutToLarge": {
"message": "Your vault timeout exceeds the restriction set by your organization."
},
"disablePersonalVaultExport": {
"message": "Disable Personal Vault Export"
},
"disablePersonalVaultExportDesc": {
"message": "Prohibits users from exporting their private vault data."
},
"vaultExportDisabled": {
"message": "Vault Export Disabled"
},
"personalVaultExportPolicyInEffect": {
"message": "One or more organization policies prevents you from exporting your personal vault."
},
"selectType": {
"message": "Select SSO Type"
},
"type": {
"message": "Type"
},
"openIdConnectConfig": {
"message": "OpenID Connect Configuration"
},
"samlSpConfig": {
"message": "SAML Service Provider Configuration"
},
"samlIdpConfig": {
"message": "SAML Identity Provider Configuration"
},
"callbackPath": {
"message": "Callback Path"
},
"signedOutCallbackPath": {
"message": "Signed Out Callback Path"
},
"authority": {
"message": "Authority"
},
"clientId": {
"message": "Client ID"
},
"clientSecret": {
"message": "Client Secret"
},
"metadataAddress": {
"message": "Metadata Address"
},
"oidcRedirectBehavior": {
"message": "OIDC Redirect Behavior"
},
"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": "The Bitwarden for Families plan include"
},
"sponsoredFamiliesPremiumAccess": {
"message": "Premium access for up to 6 users"
},
"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": "Unable to accept offer. Please resend the offer email from your enterprise account and try again."
},
"sponsoredFamiliesAcceptFailedShort": {
"message": "Unable to accept offer. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must have at least one existing Families Organization."
}
}
},
"sponsoredFamiliesOffer": {
"message": "Accept Free Bitwarden Families"
},
"sponsoredFamiliesOfferRedeemed": {
"message": "Free Bitwarden Families offer successfully redeemed"
},
"redeemed": {
"message": "Redeemed"
},
"redeemedAccount": {
"message": "Redeemed Account"
},
"revokeAccount": {
"message": "Revoke account $NAME$",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"resendEmailLabel": {
"message": "Resend Sponsorship email to $NAME$ sponsorship",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"freeFamiliesPlan": {
"message": "Free Families Plan"
},
"redeemNow": {
"message": "Redeem Now"
},
"recipient": {
"message": "Recipient"
},
"removeSponsorship": {
"message": "Remove Sponsorship"
},
"removeSponsorshipConfirmation": {
"message": "After removing a sponsorship, you will be responsible for this subscription and related invoices. Are you sure you want to continue?"
},
"sponsorshipCreated": {
"message": "Sponsorship Created"
},
"revoke": {
"message": "Revoke"
},
"emailSent": {
"message": "Email Sent"
},
"revokeSponsorshipConfirmation": {
"message": "After removing this account, the Families organization owner will be responsible for this subscription and related invoices. Are you sure you want to continue?"
},
"removeSponsorshipSuccess": {
"message": "Sponsorship Removed"
},
"ssoKeyConnectorUnavailable": {
"message": "Unable to reach the Key Connector, try again later."
},
"keyConnectorUrl": {
"message": "Key Connector URL"
},
"sendVerificationCode": {
"message": "Send a verification code to your email"
},
"sendCode": {
"message": "Send Code"
},
"codeSent": {
"message": "Code Sent"
},
"verificationCode": {
"message": "Verification Code"
},
"confirmIdentity": {
"message": "Confirm your identity to continue."
},
"verificationCodeRequired": {
"message": "Verification code is required."
},
"invalidVerificationCode": {
"message": "Invalid verification code"
},
"convertOrganizationEncryptionDesc": {
"message": "$ORGANIZATION$ is using SSO with a self-hosted key server. A master password is no longer required to log in for members of this organization.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"leaveOrganization": {
"message": "Leave Organization"
},
"removeMasterPassword": {
"message": "Remove Master Password"
},
"removedMasterPassword": {
"message": "Master password removed."
},
"allowSso": {
"message": "Allow SSO authentication"
},
"allowSsoDesc": {
"message": "Once set up, your configuration will be saved and members will be able to authenticate using their Identity Provider credentials."
},
"ssoPolicyHelpStart": {
"message": "Enable the",
"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 Authentication policy",
"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": "to require all members to log in with 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": "SSO Authentication and Single Organization policies are required to set up Key Connector decryption."
},
"memberDecryptionOption": {
"message": "Member Decryption Options"
},
"memberDecryptionPassDesc": {
"message": "Once authenticated, members will decrypt vault data using their Master Passwords."
},
"keyConnector": {
"message": "Key Connector"
},
"memberDecryptionKeyConnectorDesc": {
"message": "Connect Login with SSO to your self-hosted decryption key server. Using this option, members won’t need to use their Master Passwords to decrypt vault data. Contact Bitwarden Support for set up assistance."
},
"keyConnectorPolicyRestriction": {
"message": "\"Login with SSO and Key Connector Decryption\" is enabled. This policy will only apply to Owners and Admins."
},
"enabledSso": {
"message": "Enabled SSO"
},
"disabledSso": {
"message": "Disabled SSO"
},
"enabledKeyConnector": {
"message": "Enabled Key Connector"
},
"disabledKeyConnector": {
"message": "Disabled Key Connector"
},
"keyConnectorWarning": {
"message": "Once members begin using Key Connector, your Organization cannot revert to Master Password decryption. Proceed only if you are comfortable deploying and managing a key server."
},
"migratedKeyConnector": {
"message": "Migrated to Key Connector"
},
"paymentSponsored": {
"message": "Please provide a payment method to associate with the organization. Don't worry, we won't charge you anything unless you select additional features or your sponsorship expires. "
},
"orgCreatedSponsorshipInvalid": {
"message": "The sponsorship offer has expired. You may delete the organization you created to avoid a charge at the end of your 7 day trial. Otherwise you may close this prompt to keep the organization and assume billing responsibility."
},
"newFamiliesOrganization": {
"message": "New Families Organization"
},
"acceptOffer": {
"message": "Accept Offer"
},
"sponsoringOrg": {
"message": "Sponsoring Organization"
},
"keyConnectorTest": {
"message": "Test"
},
"keyConnectorTestSuccess": {
"message": "Success! Key Connector reached."
},
"keyConnectorTestFail": {
"message": "Cannot reach Key Connector. Check URL."
},
"sponsorshipTokenHasExpired": {
"message": "The sponsorship offer has expired."
},
"freeWithSponsorship": {
"message": "FREE with sponsorship"
},
"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": "Your session has timed out. Please go back and try logging in again."
},
"exportingPersonalVaultTitle": {
"message": "Exporting Personal Vault"
},
"exportingOrganizationVaultTitle": {
"message": "Exporting Organization Vault"
},
"exportingPersonalVaultDescription": {
"message": "Only the personal vault items associated with $EMAIL$ will be exported. Organization vault items will not be included.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
}
}
},
"exportingOrganizationVaultDescription": {
"message": "Only the organization vault associated with $ORGANIZATION$ will be exported. Personal vault items and items from other organizations will not be included.",
"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/ml/messages.json/0 | {
"file_path": "bitwarden/web/src/locales/ml/messages.json",
"repo_id": "bitwarden",
"token_count": 109305
} | 154 |
{
"pageTitle": {
"message": "Kho lưu trữ trên web $APP_NAME$",
"description": "The title of the website in the browser window.",
"placeholders": {
"app_name": {
"content": "$1",
"example": "Bitwarden"
}
}
},
"whatTypeOfItem": {
"message": "Mục này là gì?"
},
"name": {
"message": "Tên"
},
"uri": {
"message": "URI"
},
"uriPosition": {
"message": "URL $POSITION$",
"description": "A listing of URIs. Ex: URI 1, URI 2, URI 3, etc.",
"placeholders": {
"position": {
"content": "$1",
"example": "2"
}
}
},
"newUri": {
"message": "URI mới"
},
"username": {
"message": "Tên người dùng"
},
"password": {
"message": "Mật khẩu"
},
"newPassword": {
"message": "Mật khẩu mới"
},
"passphrase": {
"message": "Cụm từ mật khẩu"
},
"notes": {
"message": "Ghi chú"
},
"customFields": {
"message": "Trường tùy chỉnh"
},
"cardholderName": {
"message": "Tên chủ thẻ"
},
"number": {
"message": "Số"
},
"brand": {
"message": "Thương hiệu"
},
"expiration": {
"message": "Thời hạn"
},
"securityCode": {
"message": "Mã bảo mật (CVV)"
},
"identityName": {
"message": "Tên định danh"
},
"company": {
"message": "Công ty"
},
"ssn": {
"message": "Số an sinh xã hội"
},
"passportNumber": {
"message": "Số hộ chiếu"
},
"licenseNumber": {
"message": "Số giấy phép"
},
"email": {
"message": "Email"
},
"phone": {
"message": "Điện thoại"
},
"january": {
"message": "Tháng 1"
},
"february": {
"message": "Tháng 2"
},
"march": {
"message": "Tháng 3"
},
"april": {
"message": "Tháng 4"
},
"may": {
"message": "Tháng 5"
},
"june": {
"message": "Tháng 6"
},
"july": {
"message": "Tháng 7"
},
"august": {
"message": "Tháng 8"
},
"september": {
"message": "Tháng 9"
},
"october": {
"message": "Tháng 10"
},
"november": {
"message": "Tháng 11"
},
"december": {
"message": "Tháng 12"
},
"title": {
"message": "Tiêu đề"
},
"mr": {
"message": "Ông"
},
"mrs": {
"message": "Bà"
},
"ms": {
"message": "Cô"
},
"dr": {
"message": "Dr"
},
"expirationMonth": {
"message": "Tháng hết hạn"
},
"expirationYear": {
"message": "Năm hết hạn"
},
"authenticatorKeyTotp": {
"message": "Khóa xác thực (TOTP)"
},
"folder": {
"message": "Thư mục"
},
"newCustomField": {
"message": "Trường tùy chỉnh mới"
},
"value": {
"message": "Giá trị"
},
"dragToSort": {
"message": "Kéo để sắp xếp"
},
"cfTypeText": {
"message": "Văn bản"
},
"cfTypeHidden": {
"message": "Ẩn"
},
"cfTypeBoolean": {
"message": "Boolean"
},
"cfTypeLinked": {
"message": "Linked",
"description": "This describes a field that is 'linked' (related) to another field."
},
"remove": {
"message": "Xoá"
},
"unassigned": {
"message": "Hủy ấn định"
},
"noneFolder": {
"message": "Không có thư mục",
"description": "This is the folder for uncategorized items"
},
"addFolder": {
"message": "Thêm thư mục"
},
"editFolder": {
"message": "Chỉnh sửa thư mục"
},
"baseDomain": {
"message": "Tên miền cơ sở",
"description": "Domain name. Ex. website.com"
},
"domainName": {
"message": "Domain Name",
"description": "Domain name. Ex. website.com"
},
"host": {
"message": "Máy chủ",
"description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'."
},
"exact": {
"message": "Chính xác"
},
"startsWith": {
"message": "Bắt đầu với"
},
"regEx": {
"message": "Biểu thức chính quy",
"description": "A programming term, also known as 'RegEx'."
},
"matchDetection": {
"message": "Độ phù hợp",
"description": "URI match detection for auto-fill."
},
"defaultMatchDetection": {
"message": "Độ phù hợp mặc định",
"description": "Default URI match detection for auto-fill."
},
"never": {
"message": "Không bao giờ"
},
"toggleVisibility": {
"message": "Bật tắt khả năng hiển thị"
},
"toggleCollapse": {
"message": "Ẩn bớt",
"description": "Toggling an expand/collapse state."
},
"generatePassword": {
"message": "Tạo mật khẩu"
},
"checkPassword": {
"message": "Kiểm tra xem mật khẩu có bị lộ không."
},
"passwordExposed": {
"message": "Mật khẩu này đã bị lộ $VALUE$ lần() trong các dữ liệu vi phạm. Bạn nên thay đổi nó.",
"placeholders": {
"value": {
"content": "$1",
"example": "2"
}
}
},
"passwordSafe": {
"message": "Mật khẩu này không được tìm thấy trong bất kỳ dữ liệu vi phạm nào được biết đến. Nó an toàn để sử dụng."
},
"save": {
"message": "Lưu"
},
"cancel": {
"message": "Hủy bỏ"
},
"canceled": {
"message": "Đã hủy"
},
"close": {
"message": "Đóng"
},
"delete": {
"message": "Xóa"
},
"favorite": {
"message": "Yêu thích"
},
"unfavorite": {
"message": "Bỏ yêu thích"
},
"edit": {
"message": "Sửa"
},
"searchCollection": {
"message": "Tìm kiếm bộ sưu tập"
},
"searchFolder": {
"message": "Tìm kiếm thư mục"
},
"searchFavorites": {
"message": "Tìm trong danh sách Yêu thích"
},
"searchType": {
"message": "Tìm thể loại",
"description": "Search item type"
},
"searchVault": {
"message": "Tìm kiếm trong Kho"
},
"allItems": {
"message": "Tất cả các mục"
},
"favorites": {
"message": "Yêu thích"
},
"types": {
"message": "Các loại"
},
"typeLogin": {
"message": "Đăng nhập"
},
"typeCard": {
"message": "Thẻ"
},
"typeIdentity": {
"message": "Định danh"
},
"typeSecureNote": {
"message": "Ghi chú bảo mật"
},
"typeLoginPlural": {
"message": "Logins"
},
"typeCardPlural": {
"message": "Cards"
},
"typeIdentityPlural": {
"message": "Identities"
},
"typeSecureNotePlural": {
"message": "Secure Notes"
},
"folders": {
"message": "Thư mục"
},
"collections": {
"message": "Các bộ sưu tập"
},
"firstName": {
"message": "Tên"
},
"middleName": {
"message": "Tên đệm"
},
"lastName": {
"message": "Họ"
},
"fullName": {
"message": "Full Name"
},
"address1": {
"message": "Địa chỉ 1"
},
"address2": {
"message": "Địa chỉ 2"
},
"address3": {
"message": "Địa chỉ 3"
},
"cityTown": {
"message": "Quận/Huyện/Thị trấn"
},
"stateProvince": {
"message": "Tỉnh/Thành Phố"
},
"zipPostalCode": {
"message": "Mã bưu chính"
},
"country": {
"message": "Quốc gia"
},
"shared": {
"message": "Đã chia sẻ"
},
"attachments": {
"message": "Đính kèm"
},
"select": {
"message": "Chọn"
},
"addItem": {
"message": "Thêm mục"
},
"editItem": {
"message": "Chỉnh sửa mục"
},
"viewItem": {
"message": "View Item"
},
"ex": {
"message": "vd.",
"description": "Short abbreviation for 'example'."
},
"other": {
"message": "Khác"
},
"share": {
"message": "Chia sẻ"
},
"moveToOrganization": {
"message": "Move to Organization"
},
"valueCopied": {
"message": "Đã sao chép $VALUE$",
"description": "Value has been copied to the clipboard.",
"placeholders": {
"value": {
"content": "$1",
"example": "Password"
}
}
},
"copyValue": {
"message": "Sao chép giá trị",
"description": "Copy value to clipboard"
},
"copyPassword": {
"message": "Sao chép mật khẩu",
"description": "Copy password to clipboard"
},
"copyUsername": {
"message": "Sao chép tên đăng nhập",
"description": "Copy username to clipboard"
},
"copyNumber": {
"message": "Sao chép số",
"description": "Copy credit card number"
},
"copySecurityCode": {
"message": "Sao chép mã bảo mật",
"description": "Copy credit card security code (CVV)"
},
"copyUri": {
"message": "Sao chép URI",
"description": "Copy URI to clipboard"
},
"myVault": {
"message": "Kho của tôi"
},
"vault": {
"message": "Kho"
},
"moveSelectedToOrg": {
"message": "Move Selected to Organization"
},
"deleteSelected": {
"message": "Xóa mục đã chọn"
},
"moveSelected": {
"message": "Di chuyển mục đã chọn"
},
"selectAll": {
"message": "Chọn tất cả"
},
"unselectAll": {
"message": "Bỏ chọn tất cả"
},
"launch": {
"message": "Khởi chạy"
},
"newAttachment": {
"message": "Thêm tệp đính kèm mới"
},
"deletedAttachment": {
"message": "Đã xoá tệp đính kèm"
},
"deleteAttachmentConfirmation": {
"message": "Bạn có chắc chắn muốn xóa tập tin đính kèm này?"
},
"attachmentSaved": {
"message": "Tệp đính kèm đã được lưu."
},
"file": {
"message": "Tập tin"
},
"selectFile": {
"message": "Chọn một tập tin."
},
"maxFileSize": {
"message": "Kích thước tối đa của tệp tin là 500 MB."
},
"updateKey": {
"message": "Bạn không thể sử dụng tính năng này cho đến khi bạn cập nhật khoá mã hóa."
},
"addedItem": {
"message": "Đã thêm mục"
},
"editedItem": {
"message": "Mục được chỉnh sửa"
},
"movedItemToOrg": {
"message": "$ITEMNAME$ moved to $ORGNAME$",
"placeholders": {
"itemname": {
"content": "$1",
"example": "Secret Item"
},
"orgname": {
"content": "$2",
"example": "Company Name"
}
}
},
"movedItemsToOrg": {
"message": "Selected items moved to $ORGNAME$",
"placeholders": {
"orgname": {
"content": "$1",
"example": "Company Name"
}
}
},
"deleteItem": {
"message": "Xóa mục"
},
"deleteFolder": {
"message": "Xóa thư mục"
},
"deleteAttachment": {
"message": "Xóa tệp đính kèm"
},
"deleteItemConfirmation": {
"message": "Bạn có chắc bạn muốn xóa mục này?"
},
"deletedItem": {
"message": "Đã xóa mục"
},
"deletedItems": {
"message": "Đã xóa mục"
},
"movedItems": {
"message": "Đã di chuyển mục"
},
"overwritePasswordConfirmation": {
"message": "Bạn có chắc chắn muốn ghi đè mật khẩu hiện tại không?"
},
"editedFolder": {
"message": "Đã chỉnh sửa thư mục"
},
"addedFolder": {
"message": "Đã thêm thư mục"
},
"deleteFolderConfirmation": {
"message": "Bạn có chắc chắn muốn xóa thư mục này không?"
},
"deletedFolder": {
"message": "Đã xóa thư mục"
},
"loggedOut": {
"message": "Đã đăng xuất"
},
"loginExpired": {
"message": "Phiên đăng nhập của bạn đã hết hạn."
},
"logOutConfirmation": {
"message": "Bạn có chắc chắn muốn đăng xuất không?"
},
"logOut": {
"message": "Đăng xuất"
},
"ok": {
"message": "Ok"
},
"yes": {
"message": "Có"
},
"no": {
"message": "Không"
},
"loginOrCreateNewAccount": {
"message": "Đăng nhập hoặc tạo tài khoản mới để truy cập kho mật khẩu của bạn."
},
"createAccount": {
"message": "Tạo tài khoản"
},
"logIn": {
"message": "Đăng nhập"
},
"submit": {
"message": "Gửi"
},
"emailAddressDesc": {
"message": "Bạn sẽ cần email của bạn để đăng nhập."
},
"yourName": {
"message": "Tên của bạn"
},
"yourNameDesc": {
"message": "Chúng tôi nên gọi bạn là gì nào?"
},
"masterPass": {
"message": "Mật khẩu chính"
},
"masterPassDesc": {
"message": "Mật khẩu chính là mật khẩu cho kho mật khẩu của bạn. Mật khẩu này rất quan trọng và bạn không nên quên nó của mình. Bạn sẽ không thể khôi phục lại mật khẩu chính của bạn nếu bạn quên nó."
},
"masterPassHintDesc": {
"message": "Gợi ý mật khẩu có thể giúp bạn nhớ lại mật khẩu chính của mình nếu bạn quên nó."
},
"reTypeMasterPass": {
"message": "Vui lòng nhập lại mật khẩu chính"
},
"masterPassHint": {
"message": "Gợi ý mật khẩu chính (không bắt buộc)"
},
"masterPassHintLabel": {
"message": "Gợi ý mật khẩu chính"
},
"settings": {
"message": "Cài đặt"
},
"passwordHint": {
"message": "Gợi ý mật khẩu"
},
"enterEmailToGetHint": {
"message": "Vui lòng nhập địa chỉ email của tài khoản bạn để nhận gợi ý mật khẩu."
},
"getMasterPasswordHint": {
"message": "Nhận gợi ý mật khẩu chính"
},
"emailRequired": {
"message": "Cần phải có địa chỉ email."
},
"invalidEmail": {
"message": "Địa chỉ email không hợp lệ."
},
"masterPassRequired": {
"message": "Cần phải có mật khẩu chính."
},
"masterPassLength": {
"message": "Mật khẩu chính phải có ít nhất 8 kí tự."
},
"masterPassDoesntMatch": {
"message": "Xác minh mật khẩu chính không đúng."
},
"newAccountCreated": {
"message": "Tài khoản của bạn đã được tạo! Bạn có thể đăng nhập ngay bây giờ."
},
"masterPassSent": {
"message": "Chúng tôi đã gửi cho bạn email với gợi ý mật khẩu chính của bạn."
},
"unexpectedError": {
"message": "Một lỗi bất ngờ đã xảy ra."
},
"emailAddress": {
"message": "Địa chỉ email"
},
"yourVaultIsLocked": {
"message": "Kho của bạn đã bị khóa. Xác minh mật khẩu chính của bạn để tiếp tục."
},
"unlock": {
"message": "Mở khóa"
},
"loggedInAsEmailOn": {
"message": "Đã đăng nhập là $EMAIL$ trên $HOSTNAME$.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
},
"hostname": {
"content": "$2",
"example": "bitwarden.com"
}
}
},
"invalidMasterPassword": {
"message": "Mật khẩu chính không hợp lệ"
},
"lockNow": {
"message": "Khóa ngay"
},
"noItemsInList": {
"message": "Không có mục nào để liệt kê."
},
"noCollectionsInList": {
"message": "Không có bộ sưu tập nào để liệt kê."
},
"noGroupsInList": {
"message": "Không có nhóm nào để liệt kê."
},
"noUsersInList": {
"message": "Không có người nào để liệt kê."
},
"noEventsInList": {
"message": "Không có sự kiện nào để liệt kê."
},
"newOrganization": {
"message": "Tổ chức mới"
},
"noOrganizationsList": {
"message": "Bạn không thuộc tổ chức nào. Tổ chức sẽ cho phép bạn chia sẻ với người dùng khác một cách bảo mật."
},
"versionNumber": {
"message": "Phiên bản $VERSION_NUMBER$",
"placeholders": {
"version_number": {
"content": "$1",
"example": "1.2.3"
}
}
},
"enterVerificationCodeApp": {
"message": "Vui lòng nhập mã xác thực 6 chữ số từ ứng dụng xác thực của bạn."
},
"enterVerificationCodeEmail": {
"message": "Vui lòng nhập mã xác thực 6 chữ số được gửi tới $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"verificationCodeEmailSent": {
"message": "Email xác thực đã được gửi tới $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"rememberMe": {
"message": "Ghi nhớ đăng nhập"
},
"sendVerificationCodeEmailAgain": {
"message": "Gửi lại email xác thực"
},
"useAnotherTwoStepMethod": {
"message": "Sử dụng phương pháp xác thực hai lớp khác"
},
"insertYubiKey": {
"message": "Vui lòng cắm Yubikey vào cổng USB của máy tính bạn và bấm nút trên Yubikey."
},
"insertU2f": {
"message": "Vui lòng cắm chìa khóa bảo mật vào cổng USB của máy tính bạn và bấm nút trên chìa khóa nếu có."
},
"loginUnavailable": {
"message": "Đăng nhập không hoạt động"
},
"noTwoStepProviders": {
"message": "Tài khoản này có xác thực hai lớp, tuy nhiên, trình duyệt của bạn không hỗ trợ dịch vụ xác thực hai lớp đang sử dụng."
},
"noTwoStepProviders2": {
"message": "Vui lòng sử dụng trình duyệt được hỗ trợ (chẳng hạn như Chrome) và/hoặc thêm dịch vụ khác với hỗ trợ tốt hơn trên các trình duyệt (chẳng hạn như một ứng dụng xác thực)."
},
"twoStepOptions": {
"message": "Tùy chọn xác thực hai lớp"
},
"recoveryCodeDesc": {
"message": "Bạn bị mất quyền truy cập vào tất cả các dịch vụ xác thực hai lớp? Sử dụng mã phục hồi của bạn để tắt tất cả các dịch vụ xác thực hai lớp của tài khoản bạn."
},
"recoveryCodeTitle": {
"message": "Mã phục hồi"
},
"authenticatorAppTitle": {
"message": "Ứng dụng xác thực"
},
"authenticatorAppDesc": {
"message": "Sử dụng một ứng dụng xác thực (chẳng hạn như Authy hoặc Google Authenticator) để tạo các mã xác nhận theo thời gian.",
"description": "'Authy' and 'Google Authenticator' are product names and should not be translated."
},
"yubiKeyTitle": {
"message": "Mật khẩu OTP YubiKey"
},
"yubiKeyDesc": {
"message": "Sử dụng YubiKey để truy cập tài khoản của bạn. Hoạt động với YubiKey 4, 4 Nano, 4C và NEO."
},
"duoDesc": {
"message": "Xác minh với Duo Security dùng ứng dụng Duo Mobile, SMS, điện thoại, hoặc mật khẩu U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"duoOrganizationDesc": {
"message": "Xác minh với Duo Security cho tổ chức của bạn dùng ứng dụng Duo Mobile, SMS, điện thoại, hoặc mật khẩu U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"u2fDesc": {
"message": "Sử dụng bất kỳ mật khẩu FIDO U2F nào để truy cập tài khoản của bạn."
},
"u2fTitle": {
"message": "Mật khẩu FIDO U2F"
},
"webAuthnTitle": {
"message": "FIDO2 WebAuthn"
},
"webAuthnDesc": {
"message": "Use any WebAuthn enabled security key to access your account."
},
"webAuthnMigrated": {
"message": "(Migrated from FIDO)"
},
"emailTitle": {
"message": "Email"
},
"emailDesc": {
"message": "Mã xác thực sẽ được gửi qua email cho bạn."
},
"continue": {
"message": "Tiếp tục"
},
"organization": {
"message": "Tổ chức"
},
"organizations": {
"message": "Tổ chức"
},
"moveToOrgDesc": {
"message": "Choose an organization that you wish to move this item to. Moving to an organization transfers ownership of the item to that organization. You will no longer be the direct owner of this item once it has been moved."
},
"moveManyToOrgDesc": {
"message": "Choose an organization that you wish to move these items to. Moving to an organization transfers ownership of the items to that organization. You will no longer be the direct owner of these items once they have been moved."
},
"collectionsDesc": {
"message": "Chỉnh sửa những bộ sưu tập mà bạn sẽ chia sẻ mục này với. Chỉ những thành viên của tổ chức với quyền cho những bộ sưu tập đó mới có thể xem được mục này."
},
"deleteSelectedItemsDesc": {
"message": "Bạn đã chọn $COUNT$ mục để xóa. Bạn có chắc bạn muốn xóa hết những mục này?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsDesc": {
"message": "Vui lòng chọn thư mục mà bạn muốn di chuyển $COUNT$ mục này tới.",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsCountDesc": {
"message": "You have selected $COUNT$ item(s). $MOVEABLE_COUNT$ item(s) can be moved to an organization, $NONMOVEABLE_COUNT$ cannot.",
"placeholders": {
"count": {
"content": "$1",
"example": "10"
},
"moveable_count": {
"content": "$2",
"example": "8"
},
"nonmoveable_count": {
"content": "$3",
"example": "2"
}
}
},
"verificationCodeTotp": {
"message": "Mã xác thực (TOTP)"
},
"copyVerificationCode": {
"message": "Sao chép mã xác thực"
},
"warning": {
"message": "Cảnh báo"
},
"confirmVaultExport": {
"message": "Confirm Vault Export"
},
"exportWarningDesc": {
"message": "Bản trích xuất này chứa dữ liệu kho bạn và không được mã hóa. Bạn không nên lưu trữ hay gửi tập tin trích xuất thông qua phương thức không an toàn (như email). Vui lòng xóa nó ngay lập tức khi bạn đã sử dụng xong."
},
"encExportKeyWarningDesc": {
"message": "This export encrypts your data using your account's encryption key. If you ever rotate your account's encryption key you should export again since you will not be able to decrypt this export file."
},
"encExportAccountWarningDesc": {
"message": "Account encryption keys are unique to each Bitwarden user account, so you can't import an encrypted export into a different account."
},
"export": {
"message": "Export"
},
"exportVault": {
"message": "Trích xuất kho"
},
"fileFormat": {
"message": "Định dạng tập tin"
},
"exportSuccess": {
"message": "Dữ liệu kho cảu bạn đã được trích xuất."
},
"passwordGenerator": {
"message": "Tạo mật khẩu"
},
"minComplexityScore": {
"message": "Điểm phức tạp tối thiểu"
},
"minNumbers": {
"message": "Số chữ số tối thiểu"
},
"minSpecial": {
"message": "Số kí tự đặc biệt tối thiểu",
"description": "Minimum Special Characters"
},
"ambiguous": {
"message": "Tránh các ký tự không rõ ràng"
},
"regeneratePassword": {
"message": "Tạo lại mật khẩu"
},
"length": {
"message": "Độ dài"
},
"numWords": {
"message": "Số lượng chữ"
},
"wordSeparator": {
"message": "Dấu tách từ"
},
"capitalize": {
"message": "Viết hoa",
"description": "Make the first letter of a work uppercase."
},
"includeNumber": {
"message": "Bao gồm cả số"
},
"passwordHistory": {
"message": "Lịch sử mật khẩu"
},
"noPasswordsInList": {
"message": "Không có mật khẩu để liệt kê."
},
"clear": {
"message": "Xoá",
"description": "To clear something out. example: To clear browser history."
},
"accountUpdated": {
"message": "Tài khoản đã được cập nhật"
},
"changeEmail": {
"message": "Thay đổi địa chỉ email"
},
"changeEmailTwoFactorWarning": {
"message": "Proceeding will change your account email address. It will not change the email address used for two-factor authentication. You can change this email address in the Two-Step Login settings."
},
"newEmail": {
"message": "Địa chỉ email mới"
},
"code": {
"message": "Mã"
},
"changeEmailDesc": {
"message": "Chúng tôi đã gửi mã xác thực tới $EMAIL$. Vui lòng kiểm tra thùng thư của bạn để nhận và nhập mã vào bên dưới để hoàn thành quá trình thay đổi địa chỉ email.",
"placeholders": {
"email": {
"content": "$1",
"example": "john.smith@example.com"
}
}
},
"loggedOutWarning": {
"message": "Tiếp tục sẽ đăng xuất bạn ra khỏi phiên hiện tại, cần bạn phải đăng nhập lại. Những phiên trên các thiết bị khác sẽ tiếp tục có hiệu lực lên đến 1 tiếng."
},
"emailChanged": {
"message": "Đã thay đổi email"
},
"logBackIn": {
"message": "Hãy đăng nhập lại."
},
"logBackInOthersToo": {
"message": "Vui lòng đăng nhập lại. Nếu bạn đang dùng những ứng dụng Bitwarden khác, vui lòng đăng xuất and đăng nhập lại những ứng dụng đó."
},
"changeMasterPassword": {
"message": "Thay đổi mật khẩu chính"
},
"masterPasswordChanged": {
"message": "Đã thay đổi mật khẩu chính"
},
"currentMasterPass": {
"message": "Mật khẩu chính hiện tại"
},
"newMasterPass": {
"message": "Mật khẩu chính mới"
},
"confirmNewMasterPass": {
"message": "Xác nhận mật khẩu chính mới"
},
"encKeySettings": {
"message": "Cài đặt mật khẩu mã hóa"
},
"kdfAlgorithm": {
"message": "Thuật toán KDF"
},
"kdfIterations": {
"message": "Số lần KDF"
},
"kdfIterationsDesc": {
"message": "Số lần KDF nhiều có thể giúp bảo vệ mật khẩu chính khỏi những cuộc tấn công cưỡng chế. Chúng tôi khuyến khích giá trị $VALUE$ hoặc cao hơn.",
"placeholders": {
"value": {
"content": "$1",
"example": "100,000"
}
}
},
"kdfIterationsWarning": {
"message": "Số lần KDF quá cao có thể làm các thiết bị yếu hơn bị giật lag khi đăng nhập (hoặc mỏ khóa). Chúng tôi khuyến khích tăng $INCREMENT$ mỗi lần và thử trên các thiết bị của bạn trước.",
"placeholders": {
"increment": {
"content": "$1",
"example": "50,000"
}
}
},
"changeKdf": {
"message": "Thay đổi KDF"
},
"encKeySettingsChanged": {
"message": "Cài đặt mật khẩu mã hóa đã thay đổi"
},
"dangerZone": {
"message": "Vùng nguy hiểm"
},
"dangerZoneDesc": {
"message": "Vui lòng cẩn thận, những hành động này không thể được hủy bỏ!"
},
"deauthorizeSessions": {
"message": "Hủy quyền phiên"
},
"deauthorizeSessionsDesc": {
"message": "Lo lắng tài khoản của bạn bị đăng nhập trên một thiết bị khác? Tiếp tục bên dưới để hủy quyền tất cả thiết bị bạn đã sử dụng. Bước bảo mật này được khuyến khích nếu bạn đã sử dụng thiết bị công cộng hoặc thiết bị không phải của bạn. Nó cũng sẽ xóa hết những phiên đăng nhập hai bước đã được lưu."
},
"deauthorizeSessionsWarning": {
"message": "Tiếp tục sẽ đăng xuất bạn ra khỏi phiên hiện tại, cần bạn phải đăng nhập lại. Bạn cũng sẽ phải đăng nhập hai bước lại nếu bạn có đăng nhập hai bước. Những phiên đăng nhập trên các thiết bị khác sẽ tiếp tục có hiệu lực lên đến 1 tiếng."
},
"sessionsDeauthorized": {
"message": "Tất cả phiên đăng nhập đã bị hủy"
},
"purgeVault": {
"message": "Xóa kho"
},
"purgedOrganizationVault": {
"message": "Đã xóa kho tổ chức."
},
"vaultAccessedByProvider": {
"message": "Vault accessed by provider."
},
"purgeVaultDesc": {
"message": "Tiếp tục bên dưới để xóa hết tất cả mục và thư mục trong kho của bạn. Những mục thuộc về tổ chức mà bạn chia sẻ với sẽ không bị xóa."
},
"purgeOrgVaultDesc": {
"message": "Tiếp tục bên dưới để xóa hết tất cả mục trong kho của tổ chức."
},
"purgeVaultWarning": {
"message": "Việc xóa kho là vĩnh viễn và không thể hoàn tác."
},
"vaultPurged": {
"message": "Kho của bạn đã được xóa."
},
"deleteAccount": {
"message": "Xóa tài khoản"
},
"deleteAccountDesc": {
"message": "Tiếp tục bên dưới để xóa tài khoản và dữ liệu liên quan của bạn."
},
"deleteAccountWarning": {
"message": "Việc xóa tài khoản là vĩnh viễn và không thể hoàn tác."
},
"accountDeleted": {
"message": "Tài khoản đã được xóa"
},
"accountDeletedDesc": {
"message": "Tài khoản của bạn đã được đóng và tất cả những dữ liệu liên quan đã được xóa."
},
"myAccount": {
"message": "Tài khoản của tôi"
},
"tools": {
"message": "Công cụ"
},
"importData": {
"message": "Nhập dữ liệu"
},
"importError": {
"message": "Import Error"
},
"importErrorDesc": {
"message": "There was a problem with the data you tried to import. Please resolve the errors listed below in your source file and try again."
},
"importSuccess": {
"message": "Dữ liệu đã được nhập vào kho thành công."
},
"importWarning": {
"message": "You are importing data to $ORGANIZATION$. Your data may be shared with members of this organization. Do you want to proceed?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"importFormatError": {
"message": "Dữ liệu không được định dạng đúng cách, vui lòng kiểm tra và thử lại."
},
"importNothingError": {
"message": "Không có gì đã được nhập."
},
"importEncKeyError": {
"message": "Error decrypting the exported file. Your encryption key does not match the encryption key used export the data."
},
"selectFormat": {
"message": "Chọn định dạng cho file xuất"
},
"selectImportFile": {
"message": "Chọn tập tin nhập"
},
"orCopyPasteFileContents": {
"message": "hoặc sao chép/dán để nhập nội dung file"
},
"instructionsFor": {
"message": "Chỉ dẫn cho $NAME$",
"description": "The title for the import tool instructions.",
"placeholders": {
"name": {
"content": "$1",
"example": "LastPass (csv)"
}
}
},
"options": {
"message": "Tùy chọn"
},
"optionsDesc": {
"message": "Tùy biến trải nghiệm kho mạng của bạn."
},
"optionsUpdated": {
"message": "Tùy chọn đã được cập nhật"
},
"language": {
"message": "Ngôn ngữ"
},
"languageDesc": {
"message": "Thay đổi ngôn ngữ của kho mạng."
},
"disableIcons": {
"message": "Vô hiệu hóa icon website"
},
"disableIconsDesc": {
"message": "Website Icons provide a recognizable image next to each login item in your vault."
},
"enableGravatars": {
"message": "Enable Gravatars",
"description": "'Gravatar' is the name of a service. See www.gravatar.com"
},
"enableGravatarsDesc": {
"message": "Use avatar images loaded from gravatar.com."
},
"enableFullWidth": {
"message": "Enable Full Width Layout",
"description": "Allows scaling the web vault UI's width"
},
"enableFullWidthDesc": {
"message": "Allow the web vault to expand the full width of the browser window."
},
"default": {
"message": "Mặc định"
},
"domainRules": {
"message": "Quy luật tên miền"
},
"domainRulesDesc": {
"message": "If you have the same login across multiple different website domains, you can mark the website as \"equivalent\". \"Global\" domains are ones already created for you by Bitwarden."
},
"globalEqDomains": {
"message": "Global Equivalent Domains"
},
"customEqDomains": {
"message": "Custom Equivalent Domains"
},
"exclude": {
"message": "Ngoại trừ"
},
"include": {
"message": "Bao gồm"
},
"customize": {
"message": "Tùy biến"
},
"newCustomDomain": {
"message": "Tên miền tùy biến mới"
},
"newCustomDomainDesc": {
"message": "Enter a list of domains separated by commas. Only \"base\" domains are allowed. Do not enter subdomains. For example, enter \"google.com\" instead of \"www.google.com\". You can also enter \"androidapp://package.name\" to associate an android app with other website domains."
},
"customDomainX": {
"message": "Custom Domain $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"domainsUpdated": {
"message": "Tên miền được cập nhật"
},
"twoStepLogin": {
"message": "Xác thực 2 bước"
},
"twoStepLoginDesc": {
"message": "Bảo mật tài khoản bằng các phương pháp sau khi đăng nhập."
},
"twoStepLoginOrganizationDesc": {
"message": "Require two-step login for your organization's users by configuring providers at the organization level."
},
"twoStepLoginRecoveryWarning": {
"message": "Enabling two-step login can permanently lock you out of your Bitwarden account. A recovery code allows you to access your account in the event that you can no longer use your normal two-step login provider (ex. you lose your device). Bitwarden support will not be able to assist you if you lose access to your account. We recommend you write down or print the recovery code and keep it in a safe place."
},
"viewRecoveryCode": {
"message": "Hiển thị mã khôi phục"
},
"providers": {
"message": "Cung cấp",
"description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc."
},
"enable": {
"message": "Kích hoạt"
},
"enabled": {
"message": "Kích hoạt"
},
"premium": {
"message": "Cao cấp",
"description": "Premium Membership"
},
"premiumMembership": {
"message": "Thành viên trả phí"
},
"premiumRequired": {
"message": "Cần có tài khoản trả phí"
},
"premiumRequiredDesc": {
"message": "Cần nâng cấp tài khoản trả phí để sử dụng chức năng này."
},
"youHavePremiumAccess": {
"message": "Bạn được truy cập tài khoản trả phí"
},
"alreadyPremiumFromOrg": {
"message": "Bạn được truy cập tài khoản trả phí vì tổ chức của bạn đã chi trả cho việc này."
},
"manage": {
"message": "Quản lý"
},
"disable": {
"message": "Vô hiệu hoá"
},
"twoStepLoginProviderEnabled": {
"message": "This two-step login provider is enabled on your account."
},
"twoStepLoginAuthDesc": {
"message": "Vui lòng nhập mật khẩu chính để chỉnh sửa cài đặt đăng nhập hai bước."
},
"twoStepAuthenticatorDesc": {
"message": "Làm theo hướng dẫn để thiếp lập đăng nhập hai bước bằng ứng dụng:"
},
"twoStepAuthenticatorDownloadApp": {
"message": "Tải về ứng dụng xác thực hai bước"
},
"twoStepAuthenticatorNeedApp": {
"message": "Cần ứng dụng xác thực hai bước? Tải theo danh sách sau"
},
"iosDevices": {
"message": "Thiết bị iOS"
},
"androidDevices": {
"message": "Thiết bị Android"
},
"windowsDevices": {
"message": "Thiết bị Windows"
},
"twoStepAuthenticatorAppsRecommended": {
"message": "Những ứng dụng xác thực sau đây được khuyên dùng, thích cái khác cũng được, ko sao."
},
"twoStepAuthenticatorScanCode": {
"message": "Quét nã QR code bằng ứng dụng xác thực"
},
"key": {
"message": "Chìa khóa"
},
"twoStepAuthenticatorEnterCode": {
"message": "Vui lòng nhập mã 6 bước sinh ra từ ứng dụng xác thực"
},
"twoStepAuthenticatorReaddDesc": {
"message": "Trong trường hợp bạn cần thêm thiết bị khác, ở dưới là mã QR( hoặc khóa) được yêu cầu bởi ứng dụng xác thực."
},
"twoStepDisableDesc": {
"message": "Bạn có chắc muốn vô hiệu hóa xác thực hai bước?"
},
"twoStepDisabled": {
"message": "Xác thực hai bước bị hủy bỏ."
},
"twoFactorYubikeyAdd": {
"message": "Thêm khóa Yubikey mới vào tài khoản của bạn"
},
"twoFactorYubikeyPlugIn": {
"message": "Cắm khóa Yubikey vào cổng USB máy tính của bạn."
},
"twoFactorYubikeySelectKey": {
"message": "Select the first empty YubiKey input field below."
},
"twoFactorYubikeyTouchButton": {
"message": "Chạm vào nút bấm trên Yubikey."
},
"twoFactorYubikeySaveForm": {
"message": "Lưu mẫu."
},
"twoFactorYubikeyWarning": {
"message": "Do giới hạn của hệ điều hành, Yubikey KHÔNG thể xài hết được trên các ứng dụng Bitwarden. Bạn nên đăng ký thêm một phương pháp xác thực 2 bước khác khi mà Yubikey không xài được. Hỗ trợ hệ điều hành:"
},
"twoFactorYubikeySupportUsb": {
"message": "Web vault, desktop application, CLI, and all browser extensions on a device with a USB port that can accept your YubiKey."
},
"twoFactorYubikeySupportMobile": {
"message": "Mobile apps on a device with NFC capabilities or a USB port that can accept your YubiKey."
},
"yubikeyX": {
"message": "Yubikey $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"u2fkeyX": {
"message": "Thiết bị U2F $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"webAuthnkeyX": {
"message": "WebAuthn Key $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"nfcSupport": {
"message": "Hỗ trợ NFC"
},
"twoFactorYubikeySupportsNfc": {
"message": "Một trong các khóa bảo mật của tôi có hỗ trợ NFC."
},
"twoFactorYubikeySupportsNfcDesc": {
"message": "Nếu một trong các khóa Yubikey có hỗ trợ NFC (ví dụ như Yubikey NEO), bạn sẽ được nhắc nhở trên thiết bị di động khi sóng NFC được phát hiện."
},
"yubikeysUpdated": {
"message": "Đã cập nhập Yubikey"
},
"disableAllKeys": {
"message": "Disable All Keys"
},
"twoFactorDuoDesc": {
"message": "Enter the Bitwarden application information from your Duo Admin panel."
},
"twoFactorDuoIntegrationKey": {
"message": "Integration Key"
},
"twoFactorDuoSecretKey": {
"message": "Mã khóa bí mật"
},
"twoFactorDuoApiHostname": {
"message": "API Hostname"
},
"twoFactorEmailDesc": {
"message": "Follow these steps to set up two-step login with email:"
},
"twoFactorEmailEnterEmail": {
"message": "Enter the email that you wish to receive verification codes"
},
"twoFactorEmailEnterCode": {
"message": "Enter the resulting 6 digit verification code from the email"
},
"sendEmail": {
"message": "Gửi Email"
},
"twoFactorU2fAdd": {
"message": "Add a FIDO U2F security key to your account"
},
"removeU2fConfirmation": {
"message": "Bạn có chắc chắn muốn xóa khóa bảo mật này?"
},
"twoFactorWebAuthnAdd": {
"message": "Add a WebAuthn security key to your account"
},
"readKey": {
"message": "Read Key"
},
"keyCompromised": {
"message": "Chìa khóa bị lộ."
},
"twoFactorU2fGiveName": {
"message": "Đặt cho Yubikey một cái tên để nhận diện."
},
"twoFactorU2fPlugInReadKey": {
"message": "Cắm khóa bảo mật vào cổng USB và bấm nút trên khóa."
},
"twoFactorU2fTouchButton": {
"message": "Nếu khóa bảo mật có nút, hãy chạm vào."
},
"twoFactorU2fSaveForm": {
"message": "Lưu mẫu."
},
"twoFactorU2fWarning": {
"message": "Do giới hạn của hệ điều hành, FIDO U2F KHÔNG thể xài hết được trên các ứng dụng Bitwarden. Bạn nên đăng ký thêm một phương pháp xác thực 2 bước khác khi mà FIDO U2F không xài được. Hỗ trợ hệ điều hành:"
},
"twoFactorU2fSupportWeb": {
"message": "Web vault and browser extensions on a desktop/laptop with a U2F enabled browser (Chrome, Opera, Vivaldi, or Firefox with FIDO U2F enabled)."
},
"twoFactorU2fWaiting": {
"message": "Waiting for you to touch the button on your security key"
},
"twoFactorU2fClickSave": {
"message": "Click the \"Save\" button below to enable this security key for two-step login."
},
"twoFactorU2fProblemReadingTryAgain": {
"message": "There was a problem reading the security key. Try again."
},
"twoFactorWebAuthnWarning": {
"message": "Due to platform limitations, WebAuthn cannot be used on all Bitwarden applications. You should enable another two-step login provider so that you can access your account when WebAuthn cannot be used. Supported platforms:"
},
"twoFactorWebAuthnSupportWeb": {
"message": "Web vault and browser extensions on a desktop/laptop with a WebAuthn enabled browser (Chrome, Opera, Vivaldi, or Firefox with FIDO U2F enabled)."
},
"twoFactorRecoveryYourCode": {
"message": "Your Bitwarden two-step login recovery code"
},
"twoFactorRecoveryNoCode": {
"message": "You have not enabled any two-step login providers yet. After you have enabled a two-step login provider you can check back here for your recovery code."
},
"printCode": {
"message": "In mã",
"description": "Print 2FA recovery code"
},
"reports": {
"message": "Báo cáo"
},
"reportsDesc": {
"message": "Identify and close security gaps in your online accounts by clicking the reports below."
},
"unsecuredWebsitesReport": {
"message": "Báo cáo trang web không an toàn"
},
"unsecuredWebsitesReportDesc": {
"message": "URLs that start with http:// don’t use the best available encryption. Change the Login URIs for these accounts to https:// for safer browsing."
},
"unsecuredWebsitesFound": {
"message": "Tìm thấy trang web không an toàn"
},
"unsecuredWebsitesFoundDesc": {
"message": "We found $COUNT$ items in your vault with unsecured URIs. You should change their URI scheme to https:// if the website allows it.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noUnsecuredWebsites": {
"message": "No items in your vault have unsecured URIs."
},
"inactive2faReport": {
"message": "Inactive Two-step Login"
},
"inactive2faReportDesc": {
"message": "Xác thực 2 bước là một bước quan trọng để bảo vệ tài khoản của bạn khỏi hacker. Nếu trang web cho phép, bạn nên kích hoạt xác thực 2 bước."
},
"inactive2faFound": {
"message": "Logins Without 2FA Found"
},
"inactive2faFoundDesc": {
"message": "Tìm thấy $COUNT$ trang web trong kho của bạn có thể thiếu xác thực 2 bước. Để đảm bảo an toàn, bạn nên kích hoạt xác thực 2 bước",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noInactive2fa": {
"message": "Không tìm thấy trang web thiếu bảo mật 2 bước trong kho của bạn."
},
"instructions": {
"message": "Hướng dẫn"
},
"exposedPasswordsReport": {
"message": "Báo cáo mật khẩu bị rò rỉ"
},
"exposedPasswordsReportDesc": {
"message": "Mật khẩu bị rò rĩ là mật khẩu đã bị hacker hack được trong các vụ rò rĩ dữ liệu được thông báo công khai hoặc được bán trên web đen( dark web) bởi hacker"
},
"exposedPasswordsFound": {
"message": "Phát hiện mật khẩu bị rò rĩ"
},
"exposedPasswordsFoundDesc": {
"message": "We found $COUNT$ items in your vault that have passwords that were exposed in known data breaches. You should change them to use a new password.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noExposedPasswords": {
"message": "No items in your vault have passwords that have been exposed in known data breaches."
},
"checkExposedPasswords": {
"message": "Kiểm tra mật khẩu bị rò rỉ"
},
"exposedXTimes": {
"message": "Exposed $COUNT$ time(s)",
"placeholders": {
"count": {
"content": "$1",
"example": "52"
}
}
},
"weakPasswordsReport": {
"message": "Báo cáo mật khẩu không đảm bảo an toàn"
},
"weakPasswordsReportDesc": {
"message": "Mật khẩu không an toàn có thể bị hacker và công cụ dò mật khẩu tự động đoán được dễ dàng . Chế độ tạo mật khẩu tự động của Bitwarden sẽ khắc phục vấn đề này."
},
"weakPasswordsFound": {
"message": "Phát hiện mật khẩu không an toàn"
},
"weakPasswordsFoundDesc": {
"message": "We found $COUNT$ items in your vault with passwords that are not strong. You should update them to use stronger passwords.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noWeakPasswords": {
"message": "No items in your vault have weak passwords."
},
"reusedPasswordsReport": {
"message": "Báo cáo mật khẩu tái sử dụng"
},
"reusedPasswordsReportDesc": {
"message": "Reusing passwords makes it easier for attackers to break into multiple accounts. Change these passwords so that each is unique."
},
"reusedPasswordsFound": {
"message": "Phát hiện mật khẩu tái sử dụng"
},
"reusedPasswordsFoundDesc": {
"message": "We found $COUNT$ passwords that are being reused in your vault. You should change them to a unique value.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noReusedPasswords": {
"message": "No logins in your vault have passwords that are being reused."
},
"reusedXTimes": {
"message": "Reused $COUNT$ times",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"dataBreachReport": {
"message": "Báo cáo dữ liệu bị rò rĩ"
},
"breachDesc": {
"message": "Breached accounts can expose your personal information. Secure breached accounts by enabling 2FA or creating a stronger password."
},
"breachCheckUsernameEmail": {
"message": "Check any usernames or email addresses that you use."
},
"checkBreaches": {
"message": "Check Breaches"
},
"breachUsernameNotFound": {
"message": "$USERNAME$ was not found in any known data breaches.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
}
}
},
"goodNews": {
"message": "Tin tốt!",
"description": "ex. Good News, No Breached Accounts Found!"
},
"breachUsernameFound": {
"message": "$USERNAME$ was found in $COUNT$ different data breaches online.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
},
"count": {
"content": "$2",
"example": "7"
}
}
},
"breachFound": {
"message": "Breached Accounts Found"
},
"compromisedData": {
"message": "Compromised data"
},
"website": {
"message": "Trang web"
},
"affectedUsers": {
"message": "Affected Users"
},
"breachOccurred": {
"message": "Breach Occurred"
},
"breachReported": {
"message": "Breach Reported"
},
"reportError": {
"message": "An error occurred trying to load the report. Try again"
},
"billing": {
"message": "Hóa đơn"
},
"accountCredit": {
"message": "Account Credit",
"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": "Account Balance",
"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": "Add Credit",
"description": "Add more credit to your account's balance."
},
"amount": {
"message": "Amount",
"description": "Dollar amount, or quantity."
},
"creditDelayed": {
"message": "Added credit will appear on your account after the payment has been fully processed. Some payment methods are delayed and can take longer to process than others."
},
"makeSureEnoughCredit": {
"message": "Please make sure that your account has enough credit available for this purchase. If your account does not have enough credit available, your default payment method on file will be used for the difference. You can add credit to your account from the Billing page."
},
"creditAppliedDesc": {
"message": "Your account's credit can be used to make purchases. Any available credit will be automatically applied towards invoices generated for this account."
},
"goPremium": {
"message": "Go Premium",
"description": "Another way of saying \"Get a premium membership\""
},
"premiumUpdated": {
"message": "You've upgraded to premium."
},
"premiumUpgradeUnlockFeatures": {
"message": "Upgrade your account to a premium membership and unlock some great additional features."
},
"premiumSignUpStorage": {
"message": "1 GB encrypted storage for file attachments."
},
"premiumSignUpTwoStep": {
"message": "Additional two-step login options such as YubiKey, FIDO U2F, and Duo."
},
"premiumSignUpEmergency": {
"message": "Emergency Access"
},
"premiumSignUpReports": {
"message": "Password hygiene, account health, and data breach reports to keep your vault safe."
},
"premiumSignUpTotp": {
"message": "TOTP verification code (2FA) generator for logins in your vault."
},
"premiumSignUpSupport": {
"message": "Priority customer support."
},
"premiumSignUpFuture": {
"message": "All future premium features. More coming soon!"
},
"premiumPrice": {
"message": "All for just $PRICE$ /year!",
"placeholders": {
"price": {
"content": "$1",
"example": "$10"
}
}
},
"addons": {
"message": "Addons"
},
"premiumAccess": {
"message": "Premium Access"
},
"premiumAccessDesc": {
"message": "You can add premium access to all members of your organization for $PRICE$ /$INTERVAL$.",
"placeholders": {
"price": {
"content": "$1",
"example": "$3.33"
},
"interval": {
"content": "$2",
"example": "'month' or 'year'"
}
}
},
"additionalStorageGb": {
"message": "Additional Storage (GB)"
},
"additionalStorageGbDesc": {
"message": "# of additional GB"
},
"additionalStorageIntervalDesc": {
"message": "Your plan comes with $SIZE$ of encrypted file storage. You can add additional storage for $PRICE$ per GB /$INTERVAL$.",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
},
"price": {
"content": "$2",
"example": "$4.00"
},
"interval": {
"content": "$3",
"example": "'month' or 'year'"
}
}
},
"summary": {
"message": "Summary"
},
"total": {
"message": "Total"
},
"year": {
"message": "năm"
},
"month": {
"message": "tháng"
},
"monthAbbr": {
"message": "mo.",
"description": "Short abbreviation for 'month'"
},
"paymentChargedAnnually": {
"message": "Phương thức thanh toán của bạn sẽ được thu phí ngay lập tức và sau đó sẽ định kỳ thu phí mỗi năm. Bạn có thể hủy bỏ bất cứ lúc nào."
},
"paymentCharged": {
"message": "Your payment method will be charged immediately and then on a recurring basis each $INTERVAL$. You may cancel at any time.",
"placeholders": {
"interval": {
"content": "$1",
"example": "month or year"
}
}
},
"paymentChargedWithTrial": {
"message": "Gói của bạn đi kèm với 7 ngày dùng thử miễn phí. Phương thức thanh toán của bạn sẽ không bị tính phí cho đến khi hết thời gian dùng thử. Việc thanh toán sẽ thực hiện định kỳ mỗi $INTERVAL$. Bạn có thể hủy bỏ bất cứ lúc nào."
},
"paymentInformation": {
"message": "Thông Tin Thanh Toán"
},
"billingInformation": {
"message": "Thông Tin Hóa Đơn"
},
"creditCard": {
"message": "Thẻ Tín Dụng"
},
"paypalClickSubmit": {
"message": "Nhấn vào nút PayPal để đăng nhập vào tài khoản PayPal của bạn, sau đó nhấn vào nút Submit bên dưới để tiếp tục."
},
"cancelSubscription": {
"message": "Cancel Subscription"
},
"subscriptionCanceled": {
"message": "The subscription has been canceled."
},
"pendingCancellation": {
"message": "Pending Cancellation"
},
"subscriptionPendingCanceled": {
"message": "The subscription has been marked for cancellation at the end of the current billing period."
},
"reinstateSubscription": {
"message": "Reinstate Subscription"
},
"reinstateConfirmation": {
"message": "Are you sure you want to remove the pending cancellation request and reinstate your subscription?"
},
"reinstated": {
"message": "The subscription has been reinstated."
},
"cancelConfirmation": {
"message": "Are you sure you want to cancel? You will lose access to all of this subscription's features at the end of this billing cycle."
},
"canceledSubscription": {
"message": "The subscription has been canceled."
},
"neverExpires": {
"message": "Never Expires"
},
"status": {
"message": "Trạng Thái"
},
"nextCharge": {
"message": "Next Charge"
},
"details": {
"message": "Details"
},
"downloadLicense": {
"message": "Download License"
},
"updateLicense": {
"message": "Update License"
},
"updatedLicense": {
"message": "Updated license"
},
"manageSubscription": {
"message": "Manage Subscription"
},
"storage": {
"message": "Lưu trữ"
},
"addStorage": {
"message": "Add Storage"
},
"removeStorage": {
"message": "Remove Storage"
},
"subscriptionStorage": {
"message": "Your subscription has a total of $MAX_STORAGE$ GB of encrypted file storage. You are currently using $USED_STORAGE$.",
"placeholders": {
"max_storage": {
"content": "$1",
"example": "4"
},
"used_storage": {
"content": "$2",
"example": "65 MB"
}
}
},
"paymentMethod": {
"message": "Payment Method"
},
"noPaymentMethod": {
"message": "No payment method on file."
},
"addPaymentMethod": {
"message": "Add Payment Method"
},
"changePaymentMethod": {
"message": "Change Payment Method"
},
"invoices": {
"message": "Invoices"
},
"noInvoices": {
"message": "No invoices."
},
"paid": {
"message": "Paid",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"unpaid": {
"message": "Unpaid",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"transactions": {
"message": "Transactions",
"description": "Payment/credit transactions."
},
"noTransactions": {
"message": "No transactions."
},
"chargeNoun": {
"message": "Charge",
"description": "Noun. A charge from a payment method."
},
"refundNoun": {
"message": "Refund",
"description": "Noun. A refunded payment that was charged."
},
"chargesStatement": {
"message": "Any charges will appear on your statement as $STATEMENT_NAME$.",
"placeholders": {
"statement_name": {
"content": "$1",
"example": "BITWARDEN"
}
}
},
"gbStorageAdd": {
"message": "GB of Storage To Add"
},
"gbStorageRemove": {
"message": "GB of Storage To Remove"
},
"storageAddNote": {
"message": "Adding storage will result in adjustments to your billing totals and immediately charge your payment method on file. The first charge will be prorated for the remainder of the current billing cycle."
},
"storageRemoveNote": {
"message": "Removing storage will result in adjustments to your billing totals that will be prorated as credits toward your next billing charge."
},
"adjustedStorage": {
"message": "Adjusted $AMOUNT$ GB of storage.",
"placeholders": {
"amount": {
"content": "$1",
"example": "5"
}
}
},
"contactSupport": {
"message": "Contact Customer Support"
},
"updatedPaymentMethod": {
"message": "Updated payment method."
},
"purchasePremium": {
"message": "Purchase Premium"
},
"licenseFile": {
"message": "License File"
},
"licenseFileDesc": {
"message": "Your license file will be named something like $FILE_NAME$",
"placeholders": {
"file_name": {
"content": "$1",
"example": "bitwarden_premium_license.json"
}
}
},
"uploadLicenseFilePremium": {
"message": "To upgrade your account to a premium membership you need to upload a valid license file."
},
"uploadLicenseFileOrg": {
"message": "To create an on-premises hosted organization you need to upload a valid license file."
},
"accountEmailMustBeVerified": {
"message": "Your account's email address must be verified."
},
"newOrganizationDesc": {
"message": "Organizations allow you to share parts of your vault with others as well as manage related users for a specific entity such as a family, small team, or large company."
},
"generalInformation": {
"message": "General Information"
},
"organizationName": {
"message": "Organization Name"
},
"accountOwnedBusiness": {
"message": "This account is owned by a business."
},
"billingEmail": {
"message": "Billing Email"
},
"businessName": {
"message": "Business Name"
},
"chooseYourPlan": {
"message": "Choose Your Plan"
},
"users": {
"message": "Users"
},
"userSeats": {
"message": "User Seats"
},
"additionalUserSeats": {
"message": "Additional User Seats"
},
"userSeatsDesc": {
"message": "# of user seats"
},
"userSeatsAdditionalDesc": {
"message": "Your plan comes with $BASE_SEATS$ user seats. You can add additional users for $SEAT_PRICE$ per user /month.",
"placeholders": {
"base_seats": {
"content": "$1",
"example": "5"
},
"seat_price": {
"content": "$2",
"example": "$2.00"
}
}
},
"userSeatsHowManyDesc": {
"message": "How many user seats do you need? You can also add additional seats later if needed."
},
"planNameFree": {
"message": "Free",
"description": "Free as in 'free beer'."
},
"planDescFree": {
"message": "For testing or personal users to share with $COUNT$ other user.",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"planNameFamilies": {
"message": "Families"
},
"planDescFamilies": {
"message": "Để sử dụng cá nhân, chia sẻ với gia đình và bạn bè."
},
"planNameTeams": {
"message": "Teams"
},
"planDescTeams": {
"message": "For businesses and other team organizations."
},
"planNameEnterprise": {
"message": "Enterprise"
},
"planDescEnterprise": {
"message": "For businesses and other large organizations."
},
"freeForever": {
"message": "Miễn Phí Mãi Mãi"
},
"includesXUsers": {
"message": "includes $COUNT$ users",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"additionalUsers": {
"message": "Additional Users"
},
"costPerUser": {
"message": "$COST$ per user",
"placeholders": {
"cost": {
"content": "$1",
"example": "$3"
}
}
},
"limitedUsers": {
"message": "Limited to $COUNT$ users (including you)",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"limitedCollections": {
"message": "Limited to $COUNT$ collections",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"addShareLimitedUsers": {
"message": "Add and share with up to $COUNT$ users",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"addShareUnlimitedUsers": {
"message": "Add and share with unlimited users"
},
"createUnlimitedCollections": {
"message": "Create unlimited Collections"
},
"gbEncryptedFileStorage": {
"message": "$SIZE$ encrypted file storage",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
}
}
},
"onPremHostingOptional": {
"message": "On-premise hosting (optional)"
},
"usersGetPremium": {
"message": "Users get access to Premium Features"
},
"controlAccessWithGroups": {
"message": "Control user access with Groups"
},
"syncUsersFromDirectory": {
"message": "Sync your users and Groups from a directory"
},
"trackAuditLogs": {
"message": "Track user actions with audit logs"
},
"enforce2faDuo": {
"message": "Enforce 2FA with Duo"
},
"priorityCustomerSupport": {
"message": "Priority customer support"
},
"xDayFreeTrial": {
"message": "$COUNT$ day free trial, cancel anytime",
"placeholders": {
"count": {
"content": "$1",
"example": "7"
}
}
},
"monthly": {
"message": "Hàng tháng"
},
"annually": {
"message": "Hàng năm"
},
"basePrice": {
"message": "Base Price"
},
"organizationCreated": {
"message": "Organization Created"
},
"organizationReadyToGo": {
"message": "Your new organization is ready to go!"
},
"organizationUpgraded": {
"message": "Your organization has been upgraded."
},
"leave": {
"message": "Leave"
},
"leaveOrganizationConfirmation": {
"message": "Are you sure you want to leave this organization?"
},
"leftOrganization": {
"message": "You have left the organization."
},
"defaultCollection": {
"message": "Default Collection"
},
"getHelp": {
"message": "Get Help"
},
"getApps": {
"message": "Get the Apps"
},
"loggedInAs": {
"message": "Logged in as"
},
"eventLogs": {
"message": "Event Logs"
},
"people": {
"message": "People"
},
"policies": {
"message": "Policies"
},
"singleSignOn": {
"message": "Single Sign-On"
},
"editPolicy": {
"message": "Edit Policy"
},
"groups": {
"message": "Groups"
},
"newGroup": {
"message": "New Group"
},
"addGroup": {
"message": "Thêm Nhóm"
},
"editGroup": {
"message": "Chỉnh Sửa Nhóm"
},
"deleteGroupConfirmation": {
"message": "Bạn có chắc chắn muốn xóa nhóm này?"
},
"removeUserConfirmation": {
"message": "Are you sure you want to remove this user?"
},
"removeUserConfirmationKeyConnector": {
"message": "Warning! This user requires Key Connector to manage their encryption. Removing this user from your organization will permanently disable their account. This action cannot be undone. Do you want to proceed?"
},
"externalId": {
"message": "External Id"
},
"externalIdDesc": {
"message": "The external id can be used as a reference or to link this resource to an external system such as a user directory."
},
"accessControl": {
"message": "Access Control"
},
"groupAccessAllItems": {
"message": "This group can access and modify all items."
},
"groupAccessSelectedCollections": {
"message": "This group can access only the selected collections."
},
"readOnly": {
"message": "Read Only"
},
"newCollection": {
"message": "New Collection"
},
"addCollection": {
"message": "Add Collection"
},
"editCollection": {
"message": "Edit Collection"
},
"deleteCollectionConfirmation": {
"message": "Are you sure you want to delete this collection?"
},
"editUser": {
"message": "Edit User"
},
"inviteUser": {
"message": "Invite User"
},
"inviteUserDesc": {
"message": "Invite a new user to your organization by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account."
},
"inviteMultipleEmailDesc": {
"message": "You can invite up to $COUNT$ users at a time by comma separating a list of email addresses.",
"placeholders": {
"count": {
"content": "$1",
"example": "20"
}
}
},
"userUsingTwoStep": {
"message": "This user is using two-step login to protect their account."
},
"userAccessAllItems": {
"message": "This user can access and modify all items."
},
"userAccessSelectedCollections": {
"message": "This user can access only the selected collections."
},
"search": {
"message": "Search"
},
"invited": {
"message": "Invited"
},
"accepted": {
"message": "Accepted"
},
"confirmed": {
"message": "Confirmed"
},
"clientOwnerEmail": {
"message": "Client Owner Email"
},
"owner": {
"message": "Owner"
},
"ownerDesc": {
"message": "The highest access user that can manage all aspects of your organization."
},
"clientOwnerDesc": {
"message": "This user should be independent of the Provider. If the Provider is disassociated with the organization, this user will maintain ownership of the organization."
},
"admin": {
"message": "Admin"
},
"adminDesc": {
"message": "Admins can access and manage all items, collections and users in your organization."
},
"user": {
"message": "User"
},
"userDesc": {
"message": "A regular user with access to assigned collections in your organization."
},
"manager": {
"message": "Manager"
},
"managerDesc": {
"message": "Managers can access and manage assigned collections in your organization."
},
"all": {
"message": "All"
},
"refresh": {
"message": "Refresh"
},
"timestamp": {
"message": "Timestamp"
},
"event": {
"message": "Event"
},
"unknown": {
"message": "Unknown"
},
"loadMore": {
"message": "Load More"
},
"mobile": {
"message": "Mobile",
"description": "Mobile app"
},
"extension": {
"message": "Extension",
"description": "Browser extension/addon"
},
"desktop": {
"message": "Desktop",
"description": "Desktop app"
},
"webVault": {
"message": "Web Vault"
},
"loggedIn": {
"message": "Logged in."
},
"changedPassword": {
"message": "Changed account password."
},
"enabledUpdated2fa": {
"message": "Enabled/updated two-step login."
},
"disabled2fa": {
"message": "Đã tắt đăng nhập 2 bước."
},
"recovered2fa": {
"message": "Recovered account from two-step login."
},
"failedLogin": {
"message": "Login attempt failed with incorrect password."
},
"failedLogin2fa": {
"message": "Login attempt failed with incorrect two-step login."
},
"exportedVault": {
"message": "Exported vault."
},
"exportedOrganizationVault": {
"message": "Exported organization vault."
},
"editedOrgSettings": {
"message": "Edited organization settings."
},
"createdItemId": {
"message": "Created item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedItemId": {
"message": "Edited item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedItemId": {
"message": "Sent item $ID$ to trash.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"movedItemIdToOrg": {
"message": "Moved item $ID$ to an organization.",
"placeholders": {
"id": {
"content": "$1",
"example": "'Google'"
}
}
},
"viewedItemId": {
"message": "Viewed item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedPasswordItemId": {
"message": "Viewed password for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedHiddenFieldItemId": {
"message": "Viewed hidden field for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedSecurityCodeItemId": {
"message": "Viewed security code for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedPasswordItemId": {
"message": "Copied password for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedHiddenFieldItemId": {
"message": "Copied hidden field for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedSecurityCodeItemId": {
"message": "Copied security code for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"autofilledItemId": {
"message": "Auto-filled item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"createdCollectionId": {
"message": "Created collection $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedCollectionId": {
"message": "Edited collection $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"deletedCollectionId": {
"message": "Deleted collection $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedPolicyId": {
"message": "Edited policy $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"createdGroupId": {
"message": "Created group $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"editedGroupId": {
"message": "Edited group $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"deletedGroupId": {
"message": "Deleted group $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"removedUserId": {
"message": "Removed user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdAttachmentForItem": {
"message": "Created attachment for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedAttachmentForItem": {
"message": "Deleted attachment for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedCollectionsForItem": {
"message": "Edited collections for item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"invitedUserId": {
"message": "Invited user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmedUserId": {
"message": "Confirmed user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedUserId": {
"message": "Edited user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedGroupsForUser": {
"message": "Edited groups for user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"unlinkedSsoUser": {
"message": "Unlinked SSO for user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdOrganizationId": {
"message": "Created organization $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"addedOrganizationId": {
"message": "Added organization $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"removedOrganizationId": {
"message": "Removed organization $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"accessedClientVault": {
"message": "Accessed $ID$ organization vault.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"device": {
"message": "Thiết bị"
},
"view": {
"message": "View"
},
"invalidDateRange": {
"message": "Invalid date range."
},
"errorOccurred": {
"message": "An error has occurred."
},
"userAccess": {
"message": "User Access"
},
"userType": {
"message": "User Type"
},
"groupAccess": {
"message": "Group Access"
},
"groupAccessUserDesc": {
"message": "Edit the groups that this user belongs to."
},
"invitedUsers": {
"message": "Invited user(s)."
},
"resendInvitation": {
"message": "Resend Invitation"
},
"resendEmail": {
"message": "Resend Email"
},
"hasBeenReinvited": {
"message": "$USER$ has been reinvited.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirm": {
"message": "Confirm"
},
"confirmUser": {
"message": "Confirm User"
},
"hasBeenConfirmed": {
"message": "$USER$ has been confirmed.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmUsers": {
"message": "Confirm Users"
},
"usersNeedConfirmed": {
"message": "You have users that have accepted their invitation, but still need to be confirmed. Users will not have access to the organization until they are confirmed."
},
"startDate": {
"message": "Start Date"
},
"endDate": {
"message": "End Date"
},
"verifyEmail": {
"message": "Verify Email"
},
"verifyEmailDesc": {
"message": "Verify your account's email address to unlock access to all features."
},
"verifyEmailFirst": {
"message": "Your account's email address first must be verified."
},
"checkInboxForVerification": {
"message": "Check your email inbox for a verification link."
},
"emailVerified": {
"message": "Your email has been verified."
},
"emailVerifiedFailed": {
"message": "Unable to verify your email. Try sending a new verification email."
},
"emailVerificationRequired": {
"message": "Email Verification Required"
},
"emailVerificationRequiredDesc": {
"message": "You must verify your email to use this feature."
},
"updateBrowser": {
"message": "Update Browser"
},
"updateBrowserDesc": {
"message": "You are using an unsupported web browser. The web vault may not function properly."
},
"joinOrganization": {
"message": "Join Organization"
},
"joinOrganizationDesc": {
"message": "You've been invited to join the organization listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"inviteAccepted": {
"message": "Invitation Accepted"
},
"inviteAcceptedDesc": {
"message": "You can access this organization once an administrator confirms your membership. We'll send you an email when that happens."
},
"inviteAcceptFailed": {
"message": "Unable to accept invitation. Ask an organization admin to send a new invitation."
},
"inviteAcceptFailedShort": {
"message": "Unable to accept invitation. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"rememberEmail": {
"message": "Remember email"
},
"recoverAccountTwoStepDesc": {
"message": "If you cannot access your account through your normal two-step login methods, you can use your two-step login recovery code to disable all two-step providers on your account."
},
"recoverAccountTwoStep": {
"message": "Recover Account Two-Step Login"
},
"twoStepRecoverDisabled": {
"message": "Two-step login has been disabled on your account."
},
"learnMore": {
"message": "Tìm hiểu thêm"
},
"deleteRecoverDesc": {
"message": "Nhập địa chỉ email của bạn vào bên dưới để khôi phục và xóa tài khoản của bạn."
},
"deleteRecoverEmailSent": {
"message": "Nếu tài khoản của bạn có tồn tại, chúng tôi đã gửi cho bạn một email với hướng dẫn chi tiết."
},
"deleteRecoverConfirmDesc": {
"message": "Bạn đã yêu cầu xóa tài khoản Bitwarden của mình. Nhấn vào nút bên dưới để xác nhận."
},
"myOrganization": {
"message": "My Organization"
},
"deleteOrganization": {
"message": "Delete Organization"
},
"deletingOrganizationContentWarning": {
"message": "Enter the master password to confirm deletion of $ORGANIZATION$ and all associated data. Vault data in $ORGANIZATION$ includes:",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"deletingOrganizationActiveUserAccountsWarning": {
"message": "User accounts will remain active after deletion but will no longer be associated to this organization."
},
"deletingOrganizationIsPermanentWarning": {
"message": "Deleting $ORGANIZATION$ is permanent and irreversible.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"organizationDeleted": {
"message": "Organization Deleted"
},
"organizationDeletedDesc": {
"message": "The organization and all associated data has been deleted."
},
"organizationUpdated": {
"message": "Organization updated"
},
"taxInformation": {
"message": "Thông Tin Thuế"
},
"taxInformationDesc": {
"message": "Đối với các khách hàng ở Mỹ, mã ZIP là bắt buộc để đáp ứng các yêu cầu về thuế bán hàng, đối với các quốc gia khác, bạn có thể tùy chọn cung cấp mã số thuế (VAT / GST) và/hoặc địa chỉ để xuất hiện trên hóa đơn của mình."
},
"billingPlan": {
"message": "Gói",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlan": {
"message": "Thay Đổi Gói",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlanUpgrade": {
"message": "Upgrade your account to another plan be providing the information below. Please ensure that you have an active payment method added to the account.",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"invoiceNumber": {
"message": "Hóa đơn số #$NUMBER$",
"description": "ex. Invoice #79C66F0-0001",
"placeholders": {
"number": {
"content": "$1",
"example": "79C66F0-0001"
}
}
},
"viewInvoice": {
"message": "Xem Hóa đơn"
},
"downloadInvoice": {
"message": "Tải Hóa đơn"
},
"verifyBankAccount": {
"message": "Xác minh tài khoản ngân hàng"
},
"verifyBankAccountDesc": {
"message": "We have made two micro-deposits to your bank account (it may take 1-2 business days to show up). Enter these amounts to verify the bank account."
},
"verifyBankAccountInitialDesc": {
"message": "Payment with a bank account is only available to customers in the United States. You will be required to verify your bank account. We will make two micro-deposits within the next 1-2 business days. Enter these amounts on the organization's billing page to verify the bank account."
},
"verifyBankAccountFailureWarning": {
"message": "Failure to verify the bank account will result in a missed payment and your subscription being disabled."
},
"verifiedBankAccount": {
"message": "Bank account has been verified."
},
"bankAccount": {
"message": "Bank Account"
},
"amountX": {
"message": "Amount $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": "Routing Number",
"description": "Bank account routing number"
},
"accountNumber": {
"message": "Account Number"
},
"accountHolderName": {
"message": "Account Holder Name"
},
"bankAccountType": {
"message": "Loại tài khoản"
},
"bankAccountTypeCompany": {
"message": "Company (Business)"
},
"bankAccountTypeIndividual": {
"message": "Individual (Personal)"
},
"enterInstallationId": {
"message": "Enter your installation id"
},
"limitSubscriptionDesc": {
"message": "Set a seat limit for your subscription. Once this limit is reached, you will not be able to invite new users."
},
"maxSeatLimit": {
"message": "Maximum Seat Limit (optional)",
"description": "Upper limit of seats to allow through autoscaling"
},
"maxSeatCost": {
"message": "Max potential seat cost"
},
"addSeats": {
"message": "Add Seats",
"description": "Seat = User Seat"
},
"removeSeats": {
"message": "Remove Seats",
"description": "Seat = User Seat"
},
"subscriptionDesc": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users."
},
"subscriptionUserSeats": {
"message": "Your subscription allows for a total of $COUNT$ users.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"limitSubscription": {
"message": "Limit Subscription (Optional)"
},
"subscriptionSeats": {
"message": "Subscription Seats"
},
"subscriptionUpdated": {
"message": "Subscription updated"
},
"additionalOptions": {
"message": "Additional Options"
},
"additionalOptionsDesc": {
"message": "For additional help in managing your subscription, please contact Customer Support."
},
"subscriptionUserSeatsUnlimitedAutoscale": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users."
},
"subscriptionUserSeatsLimitedAutoscale": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users until your $MAX$ seat limit is reached.",
"placeholders": {
"max": {
"content": "$1",
"example": "50"
}
}
},
"subscriptionFreePlan": {
"message": "You cannot invite more than $COUNT$ users without upgrading your plan.",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"subscriptionFamiliesPlan": {
"message": "You cannot invite more than $COUNT$ users without upgrading your plan. Please contact Customer Support to upgrade.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionSponsoredFamiliesPlan": {
"message": "Your subscription allows for a total of $COUNT$ users. Your plan is sponsored and billed to an external organization.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionMaxReached": {
"message": "Adjustments to your subscription will result in prorated changes to your billing totals. You cannot invite more than $COUNT$ users without increasing your subscription seats.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"seatsToAdd": {
"message": "Seats To Add"
},
"seatsToRemove": {
"message": "Seats To Remove"
},
"seatsAddNote": {
"message": "Adding user seats will result in adjustments to your billing totals and immediately charge your payment method on file. The first charge will be prorated for the remainder of the current billing cycle."
},
"seatsRemoveNote": {
"message": "Removing user seats will result in adjustments to your billing totals that will be prorated as credits toward your next billing charge."
},
"adjustedSeats": {
"message": "Adjusted $AMOUNT$ user seats.",
"placeholders": {
"amount": {
"content": "$1",
"example": "15"
}
}
},
"keyUpdated": {
"message": "Key Updated"
},
"updateKeyTitle": {
"message": "Update Key"
},
"updateEncryptionKey": {
"message": "Update Encryption Key"
},
"updateEncryptionKeyShortDesc": {
"message": "You are currently using an outdated encryption scheme."
},
"updateEncryptionKeyDesc": {
"message": "We've moved to larger encryption keys that provide better security and access to newer features. Updating your encryption key is quick and easy. Just type your master password below. This update will eventually become mandatory."
},
"updateEncryptionKeyWarning": {
"message": "After updating your encryption key, you are required to log out and back in to all Bitwarden applications that you are currently using (such as the mobile app or browser extensions). Failure to log out and back in (which downloads your new encryption key) may result in data corruption. We will attempt to log you out automatically, however, it may be delayed."
},
"updateEncryptionKeyExportWarning": {
"message": "Any encrypted exports that you have saved will also become invalid."
},
"subscription": {
"message": "Subscription"
},
"loading": {
"message": "Loading"
},
"upgrade": {
"message": "Upgrade"
},
"upgradeOrganization": {
"message": "Upgrade Organization"
},
"upgradeOrganizationDesc": {
"message": "This feature is not available for free organizations. Switch to a paid plan to unlock more features."
},
"createOrganizationStep1": {
"message": "Create Organization: Step 1"
},
"createOrganizationCreatePersonalAccount": {
"message": "Before creating your organization, you first need to create a free personal account."
},
"refunded": {
"message": "Refunded"
},
"nothingSelected": {
"message": "You have not selected anything."
},
"acceptPolicies": {
"message": "By checking this box you agree to the following:"
},
"acceptPoliciesError": {
"message": "Terms of Service and Privacy Policy have not been acknowledged."
},
"termsOfService": {
"message": "Terms of Service"
},
"privacyPolicy": {
"message": "Privacy Policy"
},
"filters": {
"message": "Filters"
},
"vaultTimeout": {
"message": "Vault Timeout"
},
"vaultTimeoutDesc": {
"message": "Choose when your vault will timeout and perform the selected action."
},
"oneMinute": {
"message": "1 phút"
},
"fiveMinutes": {
"message": "5 phút"
},
"fifteenMinutes": {
"message": "15 phút"
},
"thirtyMinutes": {
"message": "30 phút"
},
"oneHour": {
"message": "1 giờ"
},
"fourHours": {
"message": "4 giờ"
},
"onRefresh": {
"message": "Mỗi khi khởi động lại trình duyệt"
},
"dateUpdated": {
"message": "Updated",
"description": "ex. Date this item was updated"
},
"datePasswordUpdated": {
"message": "Mật khẩu đã cập nhật",
"description": "ex. Date this password was updated"
},
"organizationIsDisabled": {
"message": "Organization is disabled."
},
"licenseIsExpired": {
"message": "License is expired."
},
"updatedUsers": {
"message": "Updated users"
},
"selected": {
"message": "Selected"
},
"ownership": {
"message": "Ownership"
},
"whoOwnsThisItem": {
"message": "Who owns this item?"
},
"strong": {
"message": "Strong",
"description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"good": {
"message": "Good",
"description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weak": {
"message": "Yếu",
"description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"veryWeak": {
"message": "Rất Yếu",
"description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weakMasterPassword": {
"message": "Weak Master Password"
},
"weakMasterPasswordDesc": {
"message": "The master password you have chosen is weak. You should use a strong master password (or a passphrase) to properly protect your Bitwarden account. Are you sure you want to use this master password?"
},
"rotateAccountEncKey": {
"message": "Also rotate my account's encryption key"
},
"rotateEncKeyTitle": {
"message": "Rotate Encryption Key"
},
"rotateEncKeyConfirmation": {
"message": "Are you sure you want to rotate your account's encryption key?"
},
"attachmentsNeedFix": {
"message": "This item has old file attachments that need to be fixed."
},
"attachmentFixDesc": {
"message": "This is an old file attachment the needs to be fixed. Click to learn more."
},
"fix": {
"message": "Fix",
"description": "This is a verb. ex. 'Fix The Car'"
},
"oldAttachmentsNeedFixDesc": {
"message": "There are old file attachments in your vault that need to be fixed before you can rotate your account's encryption key."
},
"yourAccountsFingerprint": {
"message": "Your account's fingerprint phrase",
"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": "To ensure the integrity of your encryption keys, please verify the user's fingerprint phrase before continuing.",
"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": "Never prompt to verify fingerprint phrases for invited users (Not recommended)",
"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": "Miễn phí",
"description": "Free, as in 'Free beer'"
},
"apiKey": {
"message": "API Key"
},
"apiKeyDesc": {
"message": "Your API key can be used to authenticate to the Bitwarden public API."
},
"apiKeyRotateDesc": {
"message": "Rotating the API key will invalidate the previous key. You can rotate your API key if you believe that the current key is no longer safe to use."
},
"apiKeyWarning": {
"message": "Your API key has full access to the organization. It should be kept secret."
},
"userApiKeyDesc": {
"message": "Your API key can be used to authenticate in the Bitwarden CLI."
},
"userApiKeyWarning": {
"message": "Your API key is an alternative authentication mechanism. It should be kept secret."
},
"oauth2ClientCredentials": {
"message": "OAuth 2.0 Client Credentials",
"description": "'OAuth 2.0' is a programming protocol. It should probably not be translated."
},
"viewApiKey": {
"message": "View API Key"
},
"rotateApiKey": {
"message": "Rotate API Key"
},
"selectOneCollection": {
"message": "You must select at least one collection."
},
"couldNotChargeCardPayInvoice": {
"message": "We were not able to charge your card. Please view and pay the unpaid invoice listed below."
},
"inAppPurchase": {
"message": "In-app Purchase"
},
"cannotPerformInAppPurchase": {
"message": "You cannot perform this action while using an in-app purchase payment method."
},
"manageSubscriptionFromStore": {
"message": "You must manage your subscription from the store where your in-app purchase was made."
},
"minLength": {
"message": "Minimum Length"
},
"clone": {
"message": "Clone"
},
"masterPassPolicyDesc": {
"message": "Set minimum requirements for master password strength."
},
"twoStepLoginPolicyDesc": {
"message": "Require users to set up two-step login on their personal accounts."
},
"twoStepLoginPolicyWarning": {
"message": "Organization members who are not Owners or Administrators and do not have two-step login enabled for their personal account will be removed from the organization and will receive an email notifying them about the change."
},
"twoStepLoginPolicyUserWarning": {
"message": "You are a member of an organization that requires two-step login to be enabled on your user account. If you disable all two-step login providers you will be automatically removed from these organizations."
},
"passwordGeneratorPolicyDesc": {
"message": "Set minimum requirements for password generator configuration."
},
"passwordGeneratorPolicyInEffect": {
"message": "One or more organization policies are affecting your generator settings."
},
"masterPasswordPolicyInEffect": {
"message": "One or more organization policies require your master password to meet the following requirements:"
},
"policyInEffectMinComplexity": {
"message": "Minimum complexity score of $SCORE$",
"placeholders": {
"score": {
"content": "$1",
"example": "4"
}
}
},
"policyInEffectMinLength": {
"message": "Minimum length of $LENGTH$",
"placeholders": {
"length": {
"content": "$1",
"example": "14"
}
}
},
"policyInEffectUppercase": {
"message": "Contain one or more uppercase characters"
},
"policyInEffectLowercase": {
"message": "Contain one or more lowercase characters"
},
"policyInEffectNumbers": {
"message": "Contain one or more numbers"
},
"policyInEffectSpecial": {
"message": "Contain one or more of the following special characters $CHARS$",
"placeholders": {
"chars": {
"content": "$1",
"example": "!@#$%^&*"
}
}
},
"masterPasswordPolicyRequirementsNotMet": {
"message": "Your new master password does not meet the policy requirements."
},
"minimumNumberOfWords": {
"message": "Minimum Number of Words"
},
"defaultType": {
"message": "Default Type"
},
"userPreference": {
"message": "User Preference"
},
"vaultTimeoutAction": {
"message": "Vault Timeout Action"
},
"vaultTimeoutActionLockDesc": {
"message": "A locked vault requires that you re-enter your master password to access it again."
},
"vaultTimeoutActionLogOutDesc": {
"message": "A logged out vault requires that you re-authenticate to access it again."
},
"lock": {
"message": "Khóa",
"description": "Verb form: to make secure or inaccesible by"
},
"trash": {
"message": "Thùng rác",
"description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted"
},
"searchTrash": {
"message": "Tìm kiếm thùng rác"
},
"permanentlyDelete": {
"message": "Xóa Vĩnh Viễn"
},
"permanentlyDeleteSelected": {
"message": "Permanently Delete Selected"
},
"permanentlyDeleteItem": {
"message": "Permanently Delete Item"
},
"permanentlyDeleteItemConfirmation": {
"message": "Bạn có chắc chắn muốn xóa vĩnh viễn mục này không?"
},
"permanentlyDeletedItem": {
"message": "Permanently Deleted item"
},
"permanentlyDeletedItems": {
"message": "Permanently Deleted items"
},
"permanentlyDeleteSelectedItemsDesc": {
"message": "You have selected $COUNT$ item(s) to permanently delete. Are you sure you want to permanently delete all of these items?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"permanentlyDeletedItemId": {
"message": "Permanently Deleted item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"restore": {
"message": "Khôi phục"
},
"restoreSelected": {
"message": "Khôi phục những mục đã chọn"
},
"restoreItem": {
"message": "Restore Item"
},
"restoredItem": {
"message": "Restored Item"
},
"restoredItems": {
"message": "Restored Items"
},
"restoreItemConfirmation": {
"message": "Are you sure you want to restore this item?"
},
"restoreItems": {
"message": "Restore items"
},
"restoreSelectedItemsDesc": {
"message": "You have selected $COUNT$ item(s) to restore. Are you sure you want to restore all of these items?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"restoredItemId": {
"message": "Restored item $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"vaultTimeoutLogOutConfirmation": {
"message": "Logging out will remove all access to your vault and requires online authentication after the timeout period. Are you sure you want to use this setting?"
},
"vaultTimeoutLogOutConfirmationTitle": {
"message": "Timeout Action Confirmation"
},
"hidePasswords": {
"message": "Hide Passwords"
},
"countryPostalCodeRequiredDesc": {
"message": "We require this information for calculating sales tax and financial reporting only."
},
"includeVAT": {
"message": "Include VAT/GST Information (optional)"
},
"taxIdNumber": {
"message": "VAT/GST Tax ID"
},
"taxInfoUpdated": {
"message": "Tax information updated."
},
"setMasterPassword": {
"message": "Thiết lập mật khẩu chính"
},
"ssoCompleteRegistration": {
"message": "In order to complete logging in with SSO, please set a master password to access and protect your vault."
},
"identifier": {
"message": "Identifier"
},
"organizationIdentifier": {
"message": "Organization Identifier"
},
"ssoLogInWithOrgIdentifier": {
"message": "Log in using your organization's single sign-on portal. Please enter your organization's identifier to begin."
},
"enterpriseSingleSignOn": {
"message": "Enterprise Single Sign-On"
},
"ssoHandOff": {
"message": "You may now close this tab and continue in the extension."
},
"includeAllTeamsFeatures": {
"message": "All Teams features, plus:"
},
"includeSsoAuthentication": {
"message": "SSO Authentication via SAML2.0 and OpenID Connect"
},
"includeEnterprisePolicies": {
"message": "Enterprise Policies"
},
"ssoValidationFailed": {
"message": "SSO Validation Failed"
},
"ssoIdentifierRequired": {
"message": "Organization Identifier is required."
},
"unlinkSso": {
"message": "Unlink SSO"
},
"unlinkSsoConfirmation": {
"message": "Are you sure you want to unlink SSO for this organization?"
},
"linkSso": {
"message": "Link SSO"
},
"singleOrg": {
"message": "Single Organization"
},
"singleOrgDesc": {
"message": "Restrict users from being able to join any other organizations."
},
"singleOrgBlockCreateMessage": {
"message": "Your current organization has a policy that does not allow you to join more than one organization. Please contact your organization admins or sign up from a different Bitwarden account."
},
"singleOrgPolicyWarning": {
"message": "Organization members who are not Owners or Administrators and are already a member of another organization will be removed from your organization."
},
"requireSso": {
"message": "Single Sign-On Authentication"
},
"requireSsoPolicyDesc": {
"message": "Require users to log in with the Enterprise Single Sign-On method."
},
"prerequisite": {
"message": "Prerequisite"
},
"requireSsoPolicyReq": {
"message": "The Single Organization enterprise policy must be enabled before activating this policy."
},
"requireSsoPolicyReqError": {
"message": "Single Organization policy not enabled."
},
"requireSsoExemption": {
"message": "Organization Owners and Administrators are exempt from this policy's enforcement."
},
"sendTypeFile": {
"message": "Tập tin"
},
"sendTypeText": {
"message": "Văn bản"
},
"createSend": {
"message": "Tạo Send mới",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editSend": {
"message": "Chỉnh sửa Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"createdSend": {
"message": "Đã tạo Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editedSend": {
"message": "Đã chỉnh sửa Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletedSend": {
"message": "Đã xóa Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSend": {
"message": "Xóa Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSendConfirmation": {
"message": "Bạn có chắc chắn muốn xóa Send này?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"whatTypeOfSend": {
"message": "Đây là loại Send gì?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletionDate": {
"message": "Deletion Date"
},
"deletionDateDesc": {
"message": "Send sẽ được xóa vĩnh viễn vào ngày và giờ được chỉ định.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDate": {
"message": "Expiration Date"
},
"expirationDateDesc": {
"message": "Nếu được thiết lập, truy cập vào Send này sẽ hết hạn vào ngày và giờ được chỉ định.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"maxAccessCount": {
"message": "Maximum Access Count"
},
"maxAccessCountDesc": {
"message": "Nếu được thiết lập, khi đã đạt tới số lượng truy cập tối đa, người dùng sẽ không thể truy cập Send này nữa.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"currentAccessCount": {
"message": "Số lượng truy cập hiện tại"
},
"sendPasswordDesc": {
"message": "Optionally require a password for users to access this Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNotesDesc": {
"message": "Private notes about this Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disabled": {
"message": "Đã tắt"
},
"sendLink": {
"message": "Gửi liên kết",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"copySendLink": {
"message": "Sao chép liên kết Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"removePassword": {
"message": "Remove Password"
},
"removedPassword": {
"message": "Removed Password"
},
"removePasswordConfirmation": {
"message": "Are you sure you want to remove the password?"
},
"hideEmail": {
"message": "Hide my email address from recipients."
},
"disableThisSend": {
"message": "Disable this Send so that no one can access it.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"allSends": {
"message": "Toàn bộ Send"
},
"maxAccessCountReached": {
"message": "Max access count reached",
"description": "This text will be displayed after a Send has been accessed the maximum amount of times."
},
"pendingDeletion": {
"message": "Pending deletion"
},
"expired": {
"message": "Expired"
},
"searchSends": {
"message": "Tìm kiếm Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPassword": {
"message": "Send này được bảo vệ bằng mật khẩu. Hãy nhập mật khẩu vào bên dưới để tiếp tục.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPasswordDontKnow": {
"message": "Don't know the password? Ask the Sender for the password needed to access this Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendHiddenByDefault": {
"message": "This send is hidden by default. You can toggle its visibility using the button below.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"downloadFile": {
"message": "Download File"
},
"sendAccessUnavailable": {
"message": "The Send you are trying to access does not exist or is no longer available.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"missingSendFile": {
"message": "The file associated with this Send could not be found.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"noSendsInList": {
"message": "There are no Sends to list.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"emergencyAccess": {
"message": "Truy Cập Khẩn Cấp"
},
"emergencyAccessDesc": {
"message": "Grant and manage emergency access for trusted contacts. Trusted contacts may request access to either View or Takeover your account in case of an emergency. Visit our help page for more information and details into how zero knowledge sharing works."
},
"emergencyAccessOwnerWarning": {
"message": "You are an Owner of one or more organizations. If you give takeover access to an emergency contact, they will be able to use all your permissions as Owner after a takeover."
},
"trustedEmergencyContacts": {
"message": "Trusted emergency contacts"
},
"noTrustedContacts": {
"message": "You have not added any emergency contacts yet, invite a trusted contact to get started."
},
"addEmergencyContact": {
"message": "Add emergency contact"
},
"designatedEmergencyContacts": {
"message": "Designated as emergency contact"
},
"noGrantedAccess": {
"message": "You have not been designated as an emergency contact for anyone yet."
},
"inviteEmergencyContact": {
"message": "Invite emergency contact"
},
"editEmergencyContact": {
"message": "Edit emergency contact"
},
"inviteEmergencyContactDesc": {
"message": "Invite a new emergency contact by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account."
},
"emergencyAccessRecoveryInitiated": {
"message": "Emergency Access Initiated"
},
"emergencyAccessRecoveryApproved": {
"message": "Emergency Access Approved"
},
"viewDesc": {
"message": "Can view all items in your own vault."
},
"takeover": {
"message": "Takeover"
},
"takeoverDesc": {
"message": "Can reset your account with a new master password."
},
"waitTime": {
"message": "Wait Time"
},
"waitTimeDesc": {
"message": "Time required before automatically granting access."
},
"oneDay": {
"message": "1 ngày"
},
"days": {
"message": "$DAYS$ ngày",
"placeholders": {
"days": {
"content": "$1",
"example": "1"
}
}
},
"invitedUser": {
"message": "Invited user."
},
"acceptEmergencyAccess": {
"message": "You've been invited to become an emergency contact for the user listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"emergencyInviteAcceptFailed": {
"message": "Unable to accept invitation. Ask the user to send a new invitation."
},
"emergencyInviteAcceptFailedShort": {
"message": "Unable to accept invitation. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"emergencyInviteAcceptedDesc": {
"message": "You can access the emergency options for this user after your identity has been confirmed. We'll send you an email when that happens."
},
"requestAccess": {
"message": "Request Access"
},
"requestAccessConfirmation": {
"message": "Are you sure you want to request emergency access? You will be provided access after $WAITTIME$ day(s) or whenever the user manually approves the request.",
"placeholders": {
"waittime": {
"content": "$1",
"example": "1"
}
}
},
"requestSent": {
"message": "Emergency access requested for $USER$. We'll notify you by email when it's possible to continue.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"approve": {
"message": "Chấp nhận"
},
"reject": {
"message": "Từ chối"
},
"approveAccessConfirmation": {
"message": "Are you sure you want to approve emergency access? This will allow $USER$ to $ACTION$ your account.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
},
"action": {
"content": "$2",
"example": "View"
}
}
},
"emergencyApproved": {
"message": "Emergency access approved."
},
"emergencyRejected": {
"message": "Emergency access rejected"
},
"passwordResetFor": {
"message": "Password reset for $USER$. You can now login using the new password.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"personalOwnership": {
"message": "Personal Ownership"
},
"personalOwnershipPolicyDesc": {
"message": "Require users to save vault items to an organization by removing the personal ownership option."
},
"personalOwnershipExemption": {
"message": "Organization Owners and Administrators are exempt from this policy's enforcement."
},
"personalOwnershipSubmitError": {
"message": "Due to an enterprise policy, you are restricted from saving items to your personal vault. Change the Ownership option to an organization and choose from available Collections."
},
"disableSend": {
"message": "Tắt Send"
},
"disableSendPolicyDesc": {
"message": "Do not allow users to create or edit a Bitwarden Send. Deleting an existing Send is still allowed.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disableSendExemption": {
"message": "Organization users that can manage the organization's policies are exempt from this policy's enforcement."
},
"sendDisabled": {
"message": "Đã tắt Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendDisabledWarning": {
"message": "Do chính sách doanh nghiệp, bạn chỉ có thể xóa những Send hiện có.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptions": {
"message": "Send Options",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyDesc": {
"message": "Set options for creating and editing Sends.",
"description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsExemption": {
"message": "Organization users that can manage the organization's policies are exempt from this policy's enforcement."
},
"disableHideEmail": {
"message": "Do not allow users to hide their email address from recipients when creating or editing a Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyInEffect": {
"message": "The following organization policies are currently in effect:"
},
"sendDisableHideEmailInEffect": {
"message": "Users are not allowed to hide their email address from recipients when creating or editing a Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"modifiedPolicyId": {
"message": "Modified policy $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"planPrice": {
"message": "Plan price"
},
"estimatedTax": {
"message": "Estimated tax"
},
"custom": {
"message": "Custom"
},
"customDesc": {
"message": "Allows more granular control of user permissions for advanced configurations."
},
"permissions": {
"message": "Permissions"
},
"accessEventLogs": {
"message": "Access Event Logs"
},
"accessImportExport": {
"message": "Access Import/Export"
},
"accessReports": {
"message": "Access Reports"
},
"missingPermissions": {
"message": "You lack the necessary permissions to perform this action."
},
"manageAllCollections": {
"message": "Manage All Collections"
},
"createNewCollections": {
"message": "Create New Collections"
},
"editAnyCollection": {
"message": "Edit Any Collection"
},
"deleteAnyCollection": {
"message": "Delete Any Collection"
},
"manageAssignedCollections": {
"message": "Manage Assigned Collections"
},
"editAssignedCollections": {
"message": "Edit Assigned Collections"
},
"deleteAssignedCollections": {
"message": "Delete Assigned Collections"
},
"manageGroups": {
"message": "Manage Groups"
},
"managePolicies": {
"message": "Manage Policies"
},
"manageSso": {
"message": "Manage SSO"
},
"manageUsers": {
"message": "Quản Lý Người Dùng"
},
"manageResetPassword": {
"message": "Manage Password Reset"
},
"disableRequiredError": {
"message": "You must manually disable the $POLICYNAME$ policy before this policy can be disabled.",
"placeholders": {
"policyName": {
"content": "$1",
"example": "Single Sign-On Authentication"
}
}
},
"personalOwnershipPolicyInEffect": {
"message": "An organization policy is affecting your ownership options."
},
"personalOwnershipPolicyInEffectImports": {
"message": "An organization policy has disabled importing items into your personal vault."
},
"personalOwnershipCheckboxDesc": {
"message": "Disable personal ownership for organization users"
},
"textHiddenByDefault": {
"message": "When accessing the Send, hide the text by default",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNameDesc": {
"message": "Một tên gợi nhớ để mô tả về Send này.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendTextDesc": {
"message": "Văn bản bạn muốn gửi."
},
"sendFileDesc": {
"message": "Tập tin bạn muốn gửi."
},
"copySendLinkOnSave": {
"message": "Copy the link to share this Send to my clipboard upon save."
},
"sendLinkLabel": {
"message": "Send link",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"send": {
"message": "Chia sẻ",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineProductDesc": {
"message": "Bitwarden Send transmits sensitive, temporary information to others easily and securely.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineLearnMore": {
"message": "Tìm hiểu thêm về",
"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": "Share text or files directly with anyone."
},
"sendVaultCardLearnMore": {
"message": "Learn more",
"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": "see",
"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": "how it works",
"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": "hoặc",
"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": "thử ngay",
"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": "hoặc",
"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": "đăng ký",
"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": "thử ngay hôm nay.",
"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 $USER_IDENTIFIER$ shared the following with you",
"placeholders": {
"user_identifier": {
"content": "$1",
"example": "An email address"
}
}
},
"viewSendHiddenEmailWarning": {
"message": "The Bitwarden user who created this Send has chosen to hide their email address. You should ensure you trust the source of this link before using or downloading its content.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDateIsInvalid": {
"message": "The expiration date provided is not valid."
},
"deletionDateIsInvalid": {
"message": "The deletion date provided is not valid."
},
"expirationDateAndTimeRequired": {
"message": "An expiration date and time are required."
},
"deletionDateAndTimeRequired": {
"message": "A deletion date and time are required."
},
"dateParsingError": {
"message": "There was an error saving your deletion and expiration dates."
},
"webAuthnFallbackMsg": {
"message": "To verify your 2FA please click the button below."
},
"webAuthnAuthenticate": {
"message": "Authenticate WebAuthn"
},
"webAuthnNotSupported": {
"message": "WebAuthn is not supported in this browser."
},
"webAuthnSuccess": {
"message": "WebAuthn verified successfully! You may close this tab."
},
"hintEqualsPassword": {
"message": "Your password hint cannot be the same as your password."
},
"enrollPasswordReset": {
"message": "Enroll in Password Reset"
},
"enrolledPasswordReset": {
"message": "Enrolled in Password Reset"
},
"withdrawPasswordReset": {
"message": "Withdraw from Password Reset"
},
"enrollPasswordResetSuccess": {
"message": "Enrollment success!"
},
"withdrawPasswordResetSuccess": {
"message": "Withdrawal success!"
},
"eventEnrollPasswordReset": {
"message": "User $ID$ enrolled in password reset assistance.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventWithdrawPasswordReset": {
"message": "User $ID$ withdrew from password reset assistance.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventAdminPasswordReset": {
"message": "Master password reset for user $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventResetSsoLink": {
"message": "Reset Sso link for user $ID$",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"firstSsoLogin": {
"message": "$ID$ logged in using Sso for the first time",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"resetPassword": {
"message": "Reset Password"
},
"resetPasswordLoggedOutWarning": {
"message": "Proceeding will log $NAME$ out of their current session, requiring them to log back in. Active sessions on other devices may continue to remain active for up to one hour.",
"placeholders": {
"name": {
"content": "$1",
"example": "John Smith"
}
}
},
"thisUser": {
"message": "this user"
},
"resetPasswordMasterPasswordPolicyInEffect": {
"message": "One or more organization policies require the master password to meet the following requirements:"
},
"resetPasswordSuccess": {
"message": "Password reset success!"
},
"resetPasswordEnrollmentWarning": {
"message": "Enrollment will allow organization administrators to change your master password. Are you sure you want to enroll?"
},
"resetPasswordPolicy": {
"message": "Master Password Reset"
},
"resetPasswordPolicyDescription": {
"message": "Allow administrators in the organization to reset organization users' master password."
},
"resetPasswordPolicyWarning": {
"message": "Users in the organization will need to self-enroll or be auto-enrolled before administrators can reset their master password."
},
"resetPasswordPolicyAutoEnroll": {
"message": "Automatic Enrollment"
},
"resetPasswordPolicyAutoEnrollDescription": {
"message": "All users will be automatically enrolled in password reset once their invite is accepted and will not be allowed to withdraw."
},
"resetPasswordPolicyAutoEnrollWarning": {
"message": "Users already in the organization will not be retroactively enrolled in password reset. They will need to self-enroll before administrators can reset their master password."
},
"resetPasswordPolicyAutoEnrollCheckbox": {
"message": "Require new users to be enrolled automatically"
},
"resetPasswordAutoEnrollInviteWarning": {
"message": "This organization has an enterprise policy that will automatically enroll you in password reset. Enrollment will allow organization administrators to change your master password."
},
"resetPasswordOrgKeysError": {
"message": "Organization Keys response is null"
},
"resetPasswordDetailsError": {
"message": "Reset Password Details response is null"
},
"trashCleanupWarning": {
"message": "Items that have been in Trash more than 30 days will be automatically deleted."
},
"trashCleanupWarningSelfHosted": {
"message": "Items that have been in Trash for a while will be automatically deleted."
},
"passwordPrompt": {
"message": "Master password re-prompt"
},
"passwordConfirmation": {
"message": "Master password confirmation"
},
"passwordConfirmationDesc": {
"message": "This action is protected. To continue, please re-enter your master password to verify your identity."
},
"reinviteSelected": {
"message": "Resend Invitations"
},
"noSelectedUsersApplicable": {
"message": "This action is not applicable to any of the selected users."
},
"removeUsersWarning": {
"message": "Are you sure you want to remove the following users? The process may take a few seconds to complete and cannot be interrupted or canceled."
},
"theme": {
"message": "Theme"
},
"themeDesc": {
"message": "Choose a theme for your web vault."
},
"themeSystem": {
"message": "Use System Theme"
},
"themeDark": {
"message": "Dark"
},
"themeLight": {
"message": "Light"
},
"confirmSelected": {
"message": "Confirm Selected"
},
"bulkConfirmStatus": {
"message": "Bulk action status"
},
"bulkConfirmMessage": {
"message": "Confirmed successfully."
},
"bulkReinviteMessage": {
"message": "Reinvited successfully."
},
"bulkRemovedMessage": {
"message": "Removed successfully"
},
"bulkFilteredMessage": {
"message": "Excluded, not applicable for this action."
},
"fingerprint": {
"message": "Fingerprint"
},
"removeUsers": {
"message": "Remove Users"
},
"error": {
"message": "Error"
},
"resetPasswordManageUsers": {
"message": "Manage Users must also be enabled with the Manage Password Reset permission"
},
"setupProvider": {
"message": "Provider Setup"
},
"setupProviderLoginDesc": {
"message": "You've been invited to setup a new provider. To continue, you need to log in or create a new Bitwarden account."
},
"setupProviderDesc": {
"message": "Please enter the details below to complete the provider setup. Contact Customer Support if you have any questions."
},
"providerName": {
"message": "Provider Name"
},
"providerSetup": {
"message": "The provider has been set up."
},
"clients": {
"message": "Clients"
},
"providerAdmin": {
"message": "Provider Admin"
},
"providerAdminDesc": {
"message": "The highest access user that can manage all aspects of your provider as well as access and manage client organizations."
},
"serviceUser": {
"message": "Service User"
},
"serviceUserDesc": {
"message": "Service users can access and manage all client organizations."
},
"providerInviteUserDesc": {
"message": "Invite a new user to your provider by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account."
},
"joinProvider": {
"message": "Join Provider"
},
"joinProviderDesc": {
"message": "You've been invited to join the provider listed above. To accept the invitation, you need to log in or create a new Bitwarden account."
},
"providerInviteAcceptFailed": {
"message": "Unable to accept invitation. Ask a provider admin to send a new invitation."
},
"providerInviteAcceptedDesc": {
"message": "You can access this provider once an administrator confirms your membership. We'll send you an email when that happens."
},
"providerUsersNeedConfirmed": {
"message": "You have users that have accepted their invitation, but still need to be confirmed. Users will not have access to the provider until they are confirmed."
},
"provider": {
"message": "Provider"
},
"newClientOrganization": {
"message": "New Client Organization"
},
"newClientOrganizationDesc": {
"message": "Create a new client organization that will be associated with you as the provider. You will be able to access and manage this organization."
},
"addExistingOrganization": {
"message": "Add Existing Organization"
},
"myProvider": {
"message": "My Provider"
},
"addOrganizationConfirmation": {
"message": "Are you sure you want to add $ORGANIZATION$ as a client to $PROVIDER$?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
},
"provider": {
"content": "$2",
"example": "My Provider Name"
}
}
},
"organizationJoinedProvider": {
"message": "Organization was successfully added to the provider"
},
"accessingUsingProvider": {
"message": "Accessing organization using provider $PROVIDER$",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"providerIsDisabled": {
"message": "Provider is disabled."
},
"providerUpdated": {
"message": "Provider updated"
},
"yourProviderIs": {
"message": "Your provider is $PROVIDER$. They have administrative and billing privileges for your organization.",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"detachedOrganization": {
"message": "The organization $ORGANIZATION$ has been detached from your provider.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"detachOrganizationConfirmation": {
"message": "Are you sure you want to detach this organization? The organization will continue to exist but will no longer be managed by the provider."
},
"add": {
"message": "Add"
},
"updatedMasterPassword": {
"message": "Updated Master Password"
},
"updateMasterPassword": {
"message": "Update Master Password"
},
"updateMasterPasswordWarning": {
"message": "Your Master Password was recently changed by an administrator in your organization. In order to access the vault, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour."
},
"masterPasswordInvalidWarning": {
"message": "Your Master Password does not meet the policy requirements of this organization. In order to join the organization, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour."
},
"maximumVaultTimeout": {
"message": "Vault Timeout"
},
"maximumVaultTimeoutDesc": {
"message": "Configure a maximum vault timeout for all users."
},
"maximumVaultTimeoutLabel": {
"message": "Maximum Vault Timeout"
},
"invalidMaximumVaultTimeout": {
"message": "Invalid Maximum Vault Timeout."
},
"hours": {
"message": "Hours"
},
"minutes": {
"message": "Minutes"
},
"vaultTimeoutPolicyInEffect": {
"message": "Your organization policies are affecting your vault timeout. Maximum allowed Vault Timeout is $HOURS$ hour(s) and $MINUTES$ minute(s)",
"placeholders": {
"hours": {
"content": "$1",
"example": "5"
},
"minutes": {
"content": "$2",
"example": "5"
}
}
},
"customVaultTimeout": {
"message": "Custom Vault Timeout"
},
"vaultTimeoutToLarge": {
"message": "Your vault timeout exceeds the restriction set by your organization."
},
"disablePersonalVaultExport": {
"message": "Disable Personal Vault Export"
},
"disablePersonalVaultExportDesc": {
"message": "Prohibits users from exporting their private vault data."
},
"vaultExportDisabled": {
"message": "Vault Export Disabled"
},
"personalVaultExportPolicyInEffect": {
"message": "One or more organization policies prevents you from exporting your personal vault."
},
"selectType": {
"message": "Select SSO Type"
},
"type": {
"message": "Type"
},
"openIdConnectConfig": {
"message": "OpenID Connect Configuration"
},
"samlSpConfig": {
"message": "SAML Service Provider Configuration"
},
"samlIdpConfig": {
"message": "SAML Identity Provider Configuration"
},
"callbackPath": {
"message": "Callback Path"
},
"signedOutCallbackPath": {
"message": "Signed Out Callback Path"
},
"authority": {
"message": "Authority"
},
"clientId": {
"message": "Client ID"
},
"clientSecret": {
"message": "Client Secret"
},
"metadataAddress": {
"message": "Metadata Address"
},
"oidcRedirectBehavior": {
"message": "OIDC Redirect Behavior"
},
"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": "The Bitwarden for Families plan include"
},
"sponsoredFamiliesPremiumAccess": {
"message": "Premium access for up to 6 users"
},
"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": "Unable to accept offer. Please resend the offer email from your enterprise account and try again."
},
"sponsoredFamiliesAcceptFailedShort": {
"message": "Unable to accept offer. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must have at least one existing Families Organization."
}
}
},
"sponsoredFamiliesOffer": {
"message": "Accept Free Bitwarden Families"
},
"sponsoredFamiliesOfferRedeemed": {
"message": "Free Bitwarden Families offer successfully redeemed"
},
"redeemed": {
"message": "Redeemed"
},
"redeemedAccount": {
"message": "Redeemed Account"
},
"revokeAccount": {
"message": "Revoke account $NAME$",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"resendEmailLabel": {
"message": "Resend Sponsorship email to $NAME$ sponsorship",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"freeFamiliesPlan": {
"message": "Free Families Plan"
},
"redeemNow": {
"message": "Redeem Now"
},
"recipient": {
"message": "Recipient"
},
"removeSponsorship": {
"message": "Remove Sponsorship"
},
"removeSponsorshipConfirmation": {
"message": "After removing a sponsorship, you will be responsible for this subscription and related invoices. Are you sure you want to continue?"
},
"sponsorshipCreated": {
"message": "Sponsorship Created"
},
"revoke": {
"message": "Revoke"
},
"emailSent": {
"message": "Email Sent"
},
"revokeSponsorshipConfirmation": {
"message": "After removing this account, the Families organization owner will be responsible for this subscription and related invoices. Are you sure you want to continue?"
},
"removeSponsorshipSuccess": {
"message": "Sponsorship Removed"
},
"ssoKeyConnectorUnavailable": {
"message": "Unable to reach the Key Connector, try again later."
},
"keyConnectorUrl": {
"message": "Key Connector URL"
},
"sendVerificationCode": {
"message": "Send a verification code to your email"
},
"sendCode": {
"message": "Send Code"
},
"codeSent": {
"message": "Code Sent"
},
"verificationCode": {
"message": "Verification Code"
},
"confirmIdentity": {
"message": "Confirm your identity to continue."
},
"verificationCodeRequired": {
"message": "Verification code is required."
},
"invalidVerificationCode": {
"message": "Invalid verification code"
},
"convertOrganizationEncryptionDesc": {
"message": "$ORGANIZATION$ is using SSO with a self-hosted key server. A master password is no longer required to log in for members of this organization.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"leaveOrganization": {
"message": "Leave Organization"
},
"removeMasterPassword": {
"message": "Remove Master Password"
},
"removedMasterPassword": {
"message": "Master password removed."
},
"allowSso": {
"message": "Allow SSO authentication"
},
"allowSsoDesc": {
"message": "Once set up, your configuration will be saved and members will be able to authenticate using their Identity Provider credentials."
},
"ssoPolicyHelpStart": {
"message": "Enable the",
"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 Authentication policy",
"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": "to require all members to log in with 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": "SSO Authentication and Single Organization policies are required to set up Key Connector decryption."
},
"memberDecryptionOption": {
"message": "Member Decryption Options"
},
"memberDecryptionPassDesc": {
"message": "Once authenticated, members will decrypt vault data using their Master Passwords."
},
"keyConnector": {
"message": "Key Connector"
},
"memberDecryptionKeyConnectorDesc": {
"message": "Connect Login with SSO to your self-hosted decryption key server. Using this option, members won’t need to use their Master Passwords to decrypt vault data. Contact Bitwarden Support for set up assistance."
},
"keyConnectorPolicyRestriction": {
"message": "\"Login with SSO and Key Connector Decryption\" is enabled. This policy will only apply to Owners and Admins."
},
"enabledSso": {
"message": "Enabled SSO"
},
"disabledSso": {
"message": "Disabled SSO"
},
"enabledKeyConnector": {
"message": "Enabled Key Connector"
},
"disabledKeyConnector": {
"message": "Disabled Key Connector"
},
"keyConnectorWarning": {
"message": "Once members begin using Key Connector, your Organization cannot revert to Master Password decryption. Proceed only if you are comfortable deploying and managing a key server."
},
"migratedKeyConnector": {
"message": "Migrated to Key Connector"
},
"paymentSponsored": {
"message": "Please provide a payment method to associate with the organization. Don't worry, we won't charge you anything unless you select additional features or your sponsorship expires. "
},
"orgCreatedSponsorshipInvalid": {
"message": "The sponsorship offer has expired. You may delete the organization you created to avoid a charge at the end of your 7 day trial. Otherwise you may close this prompt to keep the organization and assume billing responsibility."
},
"newFamiliesOrganization": {
"message": "New Families Organization"
},
"acceptOffer": {
"message": "Accept Offer"
},
"sponsoringOrg": {
"message": "Sponsoring Organization"
},
"keyConnectorTest": {
"message": "Test"
},
"keyConnectorTestSuccess": {
"message": "Success! Key Connector reached."
},
"keyConnectorTestFail": {
"message": "Cannot reach Key Connector. Check URL."
},
"sponsorshipTokenHasExpired": {
"message": "The sponsorship offer has expired."
},
"freeWithSponsorship": {
"message": "FREE with sponsorship"
},
"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": "Your session has timed out. Please go back and try logging in again."
},
"exportingPersonalVaultTitle": {
"message": "Exporting Personal Vault"
},
"exportingOrganizationVaultTitle": {
"message": "Exporting Organization Vault"
},
"exportingPersonalVaultDescription": {
"message": "Only the personal vault items associated with $EMAIL$ will be exported. Organization vault items will not be included.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
}
}
},
"exportingOrganizationVaultDescription": {
"message": "Only the organization vault associated with $ORGANIZATION$ will be exported. Personal vault items and items from other organizations will not be included.",
"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/vi/messages.json/0 | {
"file_path": "bitwarden/web/src/locales/vi/messages.json",
"repo_id": "bitwarden",
"token_count": 60076
} | 155 |
#duo-frame {
height: 330px;
@include themify($themes) {
background: themed("imgLoading") 0 0 no-repeat;
}
iframe {
border: none;
height: 100%;
width: 100%;
}
}
#web-authn-frame {
height: 290px;
@include themify($themes) {
background: themed("imgLoading") 0 0 no-repeat;
}
iframe {
border: none;
height: 100%;
width: 100%;
}
}
#hcaptcha_iframe {
border: none;
transition: height 0.25s linear;
width: 100%;
}
.list-group-2fa {
.logo-2fa {
min-width: 100px;
}
}
@each $mfaType in $mfaTypes {
.mfaType#{$mfaType} {
content: url("../images/two-factor/" + $mfaType + ".png");
max-width: 100px;
}
}
.mfaType1 {
@include themify($themes) {
content: url("../images/two-factor/1" + themed("mfaLogoSuffix"));
max-width: 100px;
max-height: 45px;
}
}
.mfaType7 {
@include themify($themes) {
content: url("../images/two-factor/7" + themed("mfaLogoSuffix"));
max-width: 100px;
}
}
.recovery-code-img {
@include themify($themes) {
content: url("../images/two-factor/rc" + themed("mfaLogoSuffix"));
max-width: 100px;
max-height: 45px;
}
}
.progress {
@include themify($themes) {
background-color: themed("pwStrengthBackground");
}
}
// Braintree
#bt-dropin-container {
min-height: 50px;
@include themify($themes) {
background: themed("loadingSvg") center center no-repeat;
}
}
.braintree-placeholder,
.braintree-sheet__header {
display: none;
}
.braintree-sheet__content--button {
min-height: 0;
padding: 0;
text-align: left;
}
.braintree-sheet__container {
margin-bottom: 0;
}
.braintree-sheet {
border: none;
}
[data-braintree-id="upper-container"]::before {
@include themify($themes) {
background-color: themed("backgroundColor");
}
}
.card [data-braintree-id="upper-container"]::before {
@include themify($themes) {
background-color: themed("foregroundColor");
}
}
[data-braintree-id="paypal-button"] {
@include themify($themes) {
background-color: themed("backgroundColor");
}
}
.card [data-braintree-id="paypal-button"] {
@include themify($themes) {
background-color: themed("foregroundColor");
}
}
.paypal-button-text {
@include themify($themes) {
color: themed("textColor");
}
}
// SweetAlert2
[class*="swal2-"] {
&:not(.swal2-container, .swal2-confirm, .swal2-cancel, .swal2-deny) {
@include themify($themes) {
background-color: themed("backgroundColor");
color: themed("textColor");
}
}
}
.swal2-container {
background-color: rgba(0, 0, 0, 0.3);
}
.swal2-popup {
@include themify($themes) {
background-color: themed("backgroundColor");
color: themed("textColor");
}
border: $modal-content-border-width solid #9a9a9a;
@include border-radius($modal-content-border-radius);
padding: 15px 0 0;
width: 34em; // slightly bigger than the hardcoded 478px in v1.
.swal2-header {
padding: 0 15px;
}
.swal2-icon {
border: none;
height: auto;
margin: 0 auto;
width: auto;
}
.swal2-content {
font-size: $font-size-base;
padding-bottom: 15px;
@include themify($themes) {
border-bottom: $modal-footer-border-width solid themed("separator");
}
}
i.swal-custom-icon {
display: block;
font-size: 35px;
margin: 0 auto;
}
.swal2-title {
font-size: $font-size-lg;
margin: 0;
padding: 10px 0 15px;
@include themify($themes) {
color: themed("textHeadingColor");
}
}
.swal2-content {
font-size: $font-size-base;
padding: 0 15px 15px;
@include themify($themes) {
color: themed("textColor");
}
}
.swal2-actions {
@include border-radius($modal-content-border-radius);
display: flex;
flex-direction: row;
font-size: $font-size-base;
justify-content: flex-start;
margin: 0;
padding: 15px;
@include themify($themes) {
background-color: themed("backgroundColor");
}
button {
margin-right: 10px;
@extend .btn;
}
}
.swal2-validation-message {
margin: 0 -15px;
}
}
date-input-polyfill {
&[data-open="true"] {
z-index: 10000 !important;
}
}
| bitwarden/web/src/scss/plugins.scss/0 | {
"file_path": "bitwarden/web/src/scss/plugins.scss",
"repo_id": "bitwarden",
"token_count": 1762
} | 156 |
{ "version": "process.env.APPLICATION_VERSION" }
| bitwarden/web/src/version.json/0 | {
"file_path": "bitwarden/web/src/version.json",
"repo_id": "bitwarden",
"token_count": 17
} | 157 |
<?xml version="1.0" encoding="UTF-8"?>
<project xmlns="http://maven.apache.org/POM/4.0.0"
xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd">
<parent>
<artifactId>web</artifactId>
<groupId>com.aitongyi.web</groupId>
<version>1.0-SNAPSHOT</version>
</parent>
<modelVersion>4.0.0</modelVersion>
<artifactId>back</artifactId>
<packaging>war</packaging>
<properties>
<project.build.sourceEncoding>UTF-8</project.build.sourceEncoding>
</properties>
<dependencies>
<dependency>
<groupId>com.aitongyi.web</groupId>
<artifactId>dao</artifactId>
<version>${project.version}</version>
</dependency>
<dependency>
<groupId>com.aitongyi.web</groupId>
<artifactId>bean</artifactId>
<version>${project.version}</version>
</dependency>
<dependency>
<groupId>com.aitongyi.web</groupId>
<artifactId>service</artifactId>
<version>${project.version}</version>
</dependency>
<dependency>
<groupId>com.aitongyi.web</groupId>
<artifactId>task</artifactId>
<version>${project.version}</version>
</dependency>
<!-- 缓存模块 -->
<dependency>
<groupId>com.aitongyi.web</groupId>
<artifactId>cache</artifactId>
<version>${project.version}</version>
</dependency>
<dependency>
<groupId>com.alibaba</groupId>
<artifactId>fastjson</artifactId>
<version>1.2.6</version>
</dependency>
<!-- spring -->
<dependency>
<groupId>org.springframework</groupId>
<artifactId>spring-webmvc</artifactId>
<version>4.1.6.RELEASE</version>
</dependency>
<dependency>
<groupId>org.springframework.security</groupId>
<artifactId>spring-security-web</artifactId>
<version>4.0.2.RELEASE</version>
</dependency>
<dependency>
<groupId>org.springframework.security</groupId>
<artifactId>spring-security-config</artifactId>
<version>4.0.2.RELEASE</version>
</dependency>
<dependency>
<groupId>org.springframework.security</groupId>
<artifactId>spring-security-taglibs</artifactId>
<version>4.0.2.RELEASE</version>
</dependency>
<!-- end -->
</dependencies>
</project> | chwshuang/web/back/pom.xml/0 | {
"file_path": "chwshuang/web/back/pom.xml",
"repo_id": "chwshuang",
"token_count": 1356
} | 158 |
package com.aitongyi.web.cache;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.stereotype.Component;
import redis.clients.jedis.Jedis;
import redis.clients.jedis.JedisPool;
/**
* 缓存服务
* Created by admin on 16/8/18.
*/
@Component
public class CacheService {
@Autowired
private JedisPool jedisPool;
/**
* 设置缓存对象
* @param key
* @param value
*/
public void set(String key,String value){
Jedis jedis = null;
try{
jedis = jedisPool.getResource();
jedis.set(key, value);
}finally{
if(jedis != null){
jedis.close();
}
}
}
/**
* 获取缓存对象
* @param key
* @return
*/
public String get(String key){
Jedis jedis = null;
try{
jedis = jedisPool.getResource();
return jedis.get(key);
}finally{
if(jedis != null){
jedis.close();
}
}
}
/**
* 删除缓存对象
* @param key
*/
public void del(String key){
Jedis jedis = null;
try{
jedis = jedisPool.getResource();
jedis.del(key);
}finally{
if(jedis != null){
jedis.close();
}
}
}
}
| chwshuang/web/cache/src/main/java/com/aitongyi/web/cache/CacheService.java/0 | {
"file_path": "chwshuang/web/cache/src/main/java/com/aitongyi/web/cache/CacheService.java",
"repo_id": "chwshuang",
"token_count": 773
} | 159 |
package web
import (
"github.com/stretchr/testify/assert"
"strings"
"testing"
)
func TestOptionsHandler(t *testing.T) {
router := New(Context{})
sub := router.Subrouter(Context{}, "/sub")
sub.Middleware(AccessControlMiddleware)
sub.Get("/action", (*Context).A)
sub.Put("/action", (*Context).A)
rw, req := newTestRequest("OPTIONS", "/sub/action")
router.ServeHTTP(rw, req)
assertResponse(t, rw, "", 200)
assert.Equal(t, "GET, PUT", rw.Header().Get("Access-Control-Allow-Methods"))
assert.Equal(t, "*", rw.Header().Get("Access-Control-Allow-Origin"))
rw, req = newTestRequest("GET", "/sub/action")
router.ServeHTTP(rw, req)
assert.Equal(t, "*", rw.Header().Get("Access-Control-Allow-Origin"))
}
func TestCustomOptionsHandler(t *testing.T) {
router := New(Context{})
router.OptionsHandler((*Context).OptionsHandler)
sub := router.Subrouter(Context{}, "/sub")
sub.Middleware(AccessControlMiddleware)
sub.Get("/action", (*Context).A)
sub.Put("/action", (*Context).A)
rw, req := newTestRequest("OPTIONS", "/sub/action")
router.ServeHTTP(rw, req)
assertResponse(t, rw, "", 200)
assert.Equal(t, "GET, PUT", rw.Header().Get("Access-Control-Allow-Methods"))
assert.Equal(t, "100", rw.Header().Get("Access-Control-Max-Age"))
}
func (c *Context) OptionsHandler(rw ResponseWriter, req *Request, methods []string) {
rw.Header().Add("Access-Control-Allow-Methods", strings.Join(methods, ", "))
rw.Header().Add("Access-Control-Max-Age", "100")
}
func AccessControlMiddleware(rw ResponseWriter, req *Request, next NextMiddlewareFunc) {
rw.Header().Add("Access-Control-Allow-Origin", "*")
next(rw, req)
}
| gocraft/web/options_handler_test.go/0 | {
"file_path": "gocraft/web/options_handler_test.go",
"repo_id": "gocraft",
"token_count": 601
} | 160 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.