text stringlengths 1 2.83M | id stringlengths 16 152 | metadata dict | __index_level_0__ int64 0 949 |
|---|---|---|---|
# © 2022 Florian Kantelberg - initOS GmbH
# License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl).
from unittest.mock import MagicMock
import odoo.http
from odoo.tests import common
class TestDarkMode(common.TransactionCase):
@classmethod
def setUpClass(cls):
super().setUpClass()
cls.request = MagicMock(env=cls.env)
odoo.http._request_stack.push(cls.request)
def test_dark_mode_cookie(self):
response = MagicMock()
# Cookie is set because the color_scheme changed
self.request.httprequest.cookies = {"color_scheme": "dark"}
self.env["ir.http"]._post_dispatch(response)
response.set_cookie.assert_called_with("color_scheme", "light")
# Cookie isn't set because the color_scheme is the same
response.reset_mock()
self.request.httprequest.cookies = {"color_scheme": "light"}
self.env["ir.http"]._post_dispatch(response)
response.set_cookie.assert_not_called()
# Cookie isn't set because it's device dependent
self.env.user.dark_mode_device_dependent = True
self.request.httprequest.cookies = {"color_scheme": "dark"}
self.env["ir.http"]._post_dispatch(response)
response.set_cookie.assert_not_called()
| OCA/web/web_dark_mode/tests/test_dark_mode.py/0 | {
"file_path": "OCA/web/web_dark_mode/tests/test_dark_mode.py",
"repo_id": "OCA",
"token_count": 515
} | 59 |
**Known issues**
* Can not edit color from dashboard
* Original context is ignored.
* Original domain and filter are not restored.
* To preserve a relative date domain, you have to manually edit the tile's domain from "Configuration > User Interface > Dashboard Tile". You can use the same variables available in filters (``uid``, ``context_today()``, ``current_date``, ``relativedelta``).
**Roadmap**
* Add icons.
* Support client side action (like inbox).
* Restore original Domain + Filter when an action is set.
* Posibility to hide the tile based on a field expression.
* Posibility to set the background color based on a field expression.
| OCA/web/web_dashboard_tile/readme/ROADMAP.rst/0 | {
"file_path": "OCA/web/web_dashboard_tile/readme/ROADMAP.rst",
"repo_id": "OCA",
"token_count": 158
} | 60 |
<?xml version="1.0" encoding="utf-8" ?>
<odoo>
<record id="view_tile_tile_search" model="ir.ui.view">
<field name="model">tile.tile</field>
<field name="arch" type="xml">
<search>
<field name="name" />
<field name="category_id" />
<field name="model_id" />
</search>
</field>
</record>
<record id="view_tile_tile_tree" model="ir.ui.view">
<field name="model">tile.tile</field>
<field name="arch" type="xml">
<tree>
<field name="sequence" widget="handle" />
<field name="name" />
<field name="category_id" />
<field name="model_id" />
<field name="primary_function" />
<field name="primary_field_id" />
<field name="secondary_function" />
<field name="secondary_field_id" />
<field name="user_id" />
<field name="group_ids" />
<field name="background_color" widget="color" />
</tree>
</field>
</record>
<record id="view_tile_tile_form" model="ir.ui.view">
<field name="model">tile.tile</field>
<field name="arch" type="xml">
<form>
<field name="model_name" invisible="1" />
<sheet>
<h1>
<field name="name" />
</h1>
<group col="4" string="Display">
<field name="category_id" colspan="4" />
<field name="background_color" widget="color" />
<field name="font_color" widget="color" />
</group>
<group col="4" string="Technical Informations">
<field name="model_id" />
<field name="action_id" />
<field
name="domain"
colspan="4"
widget="ace"
option="{'mode': 'python'}"
/>
<field
name="domain_error"
attrs="{'invisible':[('domain_error','=',False)]}"
nolabel="1"
colspan="4"
/>
</group>
<notebook>
<page string="Settings">
<group string="Main Value">
<group>
<field name="primary_function" />
<field
name="primary_field_id"
attrs="{
'invisible':[('primary_function','in',[False,'count'])],
'required':[('primary_function','not in',[False,'count'])],
}"
/>
</group>
<group>
<field name="primary_format" />
<field name="hide_if_null" />
</group>
<group>
<field name="primary_helper" />
<field name="primary_value" />
<field
name="primary_formated_value"
attrs="{'invisible':[('primary_value','=',False)]}"
/>
</group>
<group>
<field
name="primary_error"
attrs="{'invisible': [('primary_error', '=', False)]}"
/>
</group>
</group>
<group string="Secondary Value">
<group>
<field name="secondary_function" />
<field
name="secondary_field_id"
attrs="{
'invisible':[('secondary_function','in',[False,'count'])],
'required':[('secondary_function','not in',[False,'count'])],
}"
/>
</group>
<group>
<field name="secondary_format" />
</group>
<group>
<field name="secondary_helper" />
<field name="secondary_value" />
<field
name="secondary_formated_value"
attrs="{'invisible':[('secondary_value','=',False)]}"
/>
</group>
<group>
<field
name="secondary_error"
attrs="{'invisible': [('secondary_error', '=', False)]}"
/>
</group>
</group>
</page>
<page string="Security">
<field name="group_ids" />
<field name="user_id" />
</page>
</notebook>
</sheet>
</form>
</field>
</record>
<record id="view_tile_tile_kanban" model="ir.ui.view">
<field name="model">tile.tile</field>
<field name="arch" type="xml">
<kanban edit="false" create="false">
<field name="name" />
<field name="domain" />
<field name="model_id" />
<field name="action_id" />
<field name="background_color" />
<field name="font_color" />
<field name="primary_function" />
<field name="primary_helper" />
<field name="secondary_function" />
<field name="secondary_helper" />
<templates>
<t t-name="kanban-box">
<div
t-attf-class="oe_dashboard_tile oe_kanban_global_click"
t-attf-style="background-color:#{record.background_color.raw_value}"
>
<div class="oe_kanban_content">
<a
type="object"
name="open_link"
args="[]"
t-attf-style="color:#{record.font_color.raw_value};"
>
<div
style="height:100%;"
t-att-class="record.secondary_function.raw_value and 'with_secondary' or 'simple'"
>
<div class="tile_label">
<field name="name" />
</div>
<div
class="tile_primary_value"
t-att-title="record.primary_helper.raw_value"
>
<t
t-set="l"
t-value="record.primary_formated_value.raw_value.length"
/>
<t
t-set="s"
t-value="l>=12 and 35 or l>=10 and 45 or l>=8 and 55 or l>=6 and 75 or l>4 and 85 or 100"
/>
<span
t-attf-style="font-size: #{s}%;"
><field
name="primary_formated_value"
/></span>
</div>
<div
class="tile_secondary_value"
t-att-title="record.secondary_helper.raw_value"
>
<span><field
name="secondary_formated_value"
/></span>
</div>
</div>
</a>
</div>
<div class="oe_clear" />
</div>
</t>
</templates>
</kanban>
</field>
</record>
<record model="ir.actions.act_window" id="action_tile_tile">
<field name="name">Dashboard Items</field>
<field name="res_model">tile.tile</field>
<field name="view_mode">tree,form,kanban</field>
</record>
<menuitem
id="menu_tile_tile"
parent="menu_tile_configuration"
action="action_tile_tile"
sequence="161"
/>
<!-- Root menu item that will contains all the sub menu entries
that contains tiles -->
<menuitem
id="menu_dashboard_tile"
parent="spreadsheet_dashboard.spreadsheet_dashboard_menu_root"
name="Overview"
sequence="0"
/>
</odoo>
| OCA/web/web_dashboard_tile/views/tile_tile.xml/0 | {
"file_path": "OCA/web/web_dashboard_tile/views/tile_tile.xml",
"repo_id": "OCA",
"token_count": 7267
} | 61 |
* Allow setting default dialog size per user.
| OCA/web/web_dialog_size/readme/ROADMAP.rst/0 | {
"file_path": "OCA/web/web_dialog_size/readme/ROADMAP.rst",
"repo_id": "OCA",
"token_count": 10
} | 62 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_disable_export_group
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 12.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2019-12-02 16:35+0000\n"
"Last-Translator: Bole <bole@dajmi5.com>\n"
"Language-Team: none\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"
"X-Generator: Weblate 3.9.1\n"
#. module: web_disable_export_group
#: model:ir.model,name:web_disable_export_group.model_base
msgid "Base"
msgstr ""
#. module: web_disable_export_group
#: model:res.groups,name:web_disable_export_group.group_export_xlsx_data
msgid "Direct Export (xlsx)"
msgstr ""
#. module: web_disable_export_group
#: model:ir.model,name:web_disable_export_group.model_ir_http
msgid "HTTP Routing"
msgstr "HTTP usmjeravanje"
#. module: web_disable_export_group
#. openerp-web
#: code:addons/web_disable_export_group/static/src/xml/export_xls_views.xml:0
#, python-format
msgid "widget.is_action_enabled('export_xlsx') and widget.isExportXlsEnable"
msgstr ""
#, python-format
#~ msgid "Export"
#~ msgstr "Izvoz"
#~ msgid "Export Data"
#~ msgstr "Izvoz podataka"
| OCA/web/web_disable_export_group/i18n/hr.po/0 | {
"file_path": "OCA/web/web_disable_export_group/i18n/hr.po",
"repo_id": "OCA",
"token_count": 563
} | 63 |
/** @odoo-module **/
/* Copyright 2016 Onestein
Copyright 2018 Tecnativa - David Vidal
Copyright 2021 Tecnativa - Alexandre Díaz
Copyright 2022 Tecnativa - Víctor Martínez
License LGPL-3.0 or later (https://www.gnu.org/licenses/lgpl). */
import AbstractController from "web.AbstractController";
import session from "web.session";
AbstractController.include({
/**
* @override
*/
is_action_enabled: function (action) {
if (
!session.is_superuser &&
action &&
action === "export_xlsx" &&
!session.group_xlsx_export_data
) {
return false;
}
return this._super.apply(this, arguments);
},
});
| OCA/web/web_disable_export_group/static/src/js/abstract_controller.esm.js/0 | {
"file_path": "OCA/web/web_disable_export_group/static/src/js/abstract_controller.esm.js",
"repo_id": "OCA",
"token_count": 299
} | 64 |
odoo.define('web.domain_field', function (require) {
"use strict";
var py_utils = require('web.py_utils');
var session = require('web.session');
var original_pyeval = py_utils.eval;
var py = window.py;
/** Copied from py_utils and not modified but required since not publicly
exposed by web.py_utils**/
// recursively wraps JS objects passed into the context to attributedicts
// which jsonify back to JS objects
function wrap(value) {
if (value === null) { return py.None; }
switch (typeof value) {
case 'undefined': throw new Error("No conversion for undefined");
case 'boolean': return py.bool.fromJSON(value);
case 'number': return py.float.fromJSON(value);
case 'string': return py.str.fromJSON(value);
}
switch(value.constructor) {
case Object: return wrapping_dict.fromJSON(value);
case Array: return wrapping_list.fromJSON(value);
}
throw new Error("ValueError: unable to wrap " + value);
}
var wrapping_dict = py.type('wrapping_dict', null, {
__init__: function () {
this._store = {};
},
__getitem__: function (key) {
var k = key.toJSON();
if (!(k in this._store)) {
throw new Error("KeyError: '" + k + "'");
}
return wrap(this._store[k]);
},
__getattr__: function (key) {
return this.__getitem__(py.str.fromJSON(key));
},
__len__: function () {
return Object.keys(this._store).length;
},
__nonzero__: function () {
return py.PY_size(this) > 0 ? py.True : py.False;
},
get: function () {
var args = py.PY_parseArgs(arguments, ['k', ['d', py.None]]);
if (!(args.k.toJSON() in this._store)) { return args.d; }
return this.__getitem__(args.k);
},
fromJSON: function (d) {
var instance = py.PY_call(wrapping_dict);
instance._store = d;
return instance;
},
toJSON: function () {
return this._store;
},
});
var wrapping_list = py.type('wrapping_list', null, {
__init__: function () {
this._store = [];
},
__getitem__: function (index) {
return wrap(this._store[index.toJSON()]);
},
__len__: function () {
return this._store.length;
},
__nonzero__: function () {
return py.PY_size(this) > 0 ? py.True : py.False;
},
fromJSON: function (ar) {
var instance = py.PY_call(wrapping_list);
instance._store = ar;
return instance;
},
toJSON: function () {
return this._store;
},
});
function wrap_context(context) {
for (var k in context) {
if (!context.hasOwnProperty(k)) { continue; }
var val = context[k];
// Don't add a test case like ``val === undefined``
// this is intended to prevent letting crap pass
// on the context without even knowing it.
// If you face an issue from here, try to sanitize
// the context upstream instead
if (val === null) { continue; }
if (val.constructor === Array) {
context[k] = wrapping_list.fromJSON(val);
} else if (val.constructor === Object
&& !py.PY_isInstance(val, py.object)) {
context[k] = wrapping_dict.fromJSON(val);
}
}
return context;
}
function ensure_evaluated(args, kwargs) {
for (var i=0; i<args.length; ++i) {
args[i] = eval_arg(args[i]);
}
for (var k in kwargs) {
if (!kwargs.hasOwnProperty(k)) { continue; }
kwargs[k] = eval_arg(kwargs[k]);
}
}
/** End of unmodified methods copied from pyeval **/
// We need to override the original method to be able to call our
// Specialized version of pyeval for domain fields
function eval_arg (arg) {
if (typeof arg !== 'object' || !arg.__ref) {
return arg;
}
switch (arg.__ref) {
case 'domain': case 'compound_domain':
return domain_field_pyeval('domains', [arg]);
case 'context': case 'compound_context':
return original_pyeval('contexts', [arg]);
default:
throw new Error(_t("Unknown nonliteral type ") + ' ' + arg.__ref);
}
}
// Override eval_domains to add 3 lines in order to be able to use a field
// value as domain
function eval_domains(domains, evaluation_context) {
evaluation_context = _.extend(py_utils.context(), evaluation_context || {});
var result_domain = [];
// Normalize only if the first domain is the array ["|"] or ["!"]
var need_normalization = (
domains &&
domains.length > 0 &&
domains[0].length === 1 &&
(domains[0][0] === "|" || domains[0][0] === "!")
);
_(domains).each(function (domain) {
if (_.isString(domain)) {
// Modified part or the original method
if (domain in evaluation_context) {
var fail_parse_domain = false;
try {
var domain_parse = $.parseJSON(evaluation_context[domain]);
console.warn("`web_domain_field is deprecated. If you want to use this functionality you can assign a unserialised domain to a fields.Binary");
} catch (e) {
fail_parse_domain = true;
}
if (!fail_parse_domain) {
result_domain.push.apply(result_domain, domain_parse);
return;
}
}
// End of modifications
// wrap raw strings in domain
domain = { __ref: 'domain', __debug: domain };
}
var domain_array_to_combine;
switch(domain.__ref) {
case 'domain':
evaluation_context.context = evaluation_context;
domain_array_to_combine = py.eval(domain.__debug, wrap_context(evaluation_context));
break;
default:
domain_array_to_combine = domain;
}
if (need_normalization) {
domain_array_to_combine = get_normalized_domain(domain_array_to_combine);
}
result_domain.push.apply(result_domain, domain_array_to_combine);
});
return result_domain;
}
// Override pyeval in order to call our specialized implementation of
// eval_domains
function domain_field_pyeval (type, object, context, options) {
switch (type) {
case 'domain':
case 'domains':
if (type === 'domain') {
object = [object];
}
return eval_domains(object, context);
default:
return original_pyeval(type, object, context, options);
}
}
function eval_domains_and_contexts(source) {
// see Session.eval_context in Python
return {
context: domain_field_pyeval('contexts', source.contexts || [], source.eval_context),
domain: domain_field_pyeval('domains', source.domains, source.eval_context),
group_by: domain_field_pyeval('groupbys', source.group_by_seq || [], source.eval_context),
};
}
py_utils.eval = domain_field_pyeval;
py_utils.ensure_evaluated = ensure_evaluated;
py_utils.eval_domains_and_contexts = eval_domains_and_contexts;
});
| OCA/web/web_domain_field/static/lib/js/pyeval.js/0 | {
"file_path": "OCA/web/web_domain_field/static/lib/js/pyeval.js",
"repo_id": "OCA",
"token_count": 3706
} | 65 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_environment_ribbon
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 12.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2019-08-12 11:44+0000\n"
"Last-Translator: Pedro Castro Silva <pedrocs@exo.pt>\n"
"Language-Team: none\n"
"Language: pt\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 3.7.1\n"
#. module: web_environment_ribbon
#: model:ir.model,name:web_environment_ribbon.model_web_environment_ribbon_backend
msgid "Web Environment Ribbon Backend"
msgstr ""
#~ msgid "Display Name"
#~ msgstr "Nome a Exibir"
#~ msgid "ID"
#~ msgstr "ID"
#~ msgid "Last Modified on"
#~ msgstr "Última Modificação em"
| OCA/web/web_environment_ribbon/i18n/pt.po/0 | {
"file_path": "OCA/web/web_environment_ribbon/i18n/pt.po",
"repo_id": "OCA",
"token_count": 345
} | 66 |
/* Copyright 2015 Sylvain Calador <sylvain.calador@akretion.com>
Copyright 2015 Javi Melendez <javi.melendez@algios.com>
Copyright 2016 Antonio Espinosa <antonio.espinosa@tecnativa.com>
Copyright 2017 Thomas Binsfeld <thomas.binsfeld@acsone.eu>
Copyright 2017 Xavier Jiménez <xavier.jimenez@qubiq.es>
License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl). */
odoo.define("web_environment_ribbon.ribbon", function (require) {
"use strict";
var rpc = require("web.rpc");
var core = require("web.core");
// Code from: http://jsfiddle.net/WK_of_Angmar/xgA5C/
function validStrColour(strToTest) {
if (strToTest === "") {
return false;
}
if (strToTest === "inherit") {
return true;
}
if (strToTest === "transparent") {
return true;
}
var image = document.createElement("img");
image.style.color = "rgb(0, 0, 0)";
image.style.color = strToTest;
if (image.style.color !== "rgb(0, 0, 0)") {
return true;
}
image.style.color = "rgb(255, 255, 255)";
image.style.color = strToTest;
return image.style.color !== "rgb(255, 255, 255)";
}
core.bus.on("web_client_ready", null, function () {
var ribbon = $('<div class="test-ribbon hidden"/>');
$("body").append(ribbon);
ribbon.hide();
// Get ribbon data from backend
rpc.query({
model: "web.environment.ribbon.backend",
method: "get_environment_ribbon",
}).then(function (ribbon_data) {
// Ribbon name
if (ribbon_data.name && ribbon_data.name !== "False") {
ribbon.html(ribbon_data.name);
ribbon.show();
}
// Ribbon color
if (ribbon_data.color && validStrColour(ribbon_data.color)) {
ribbon.css("color", ribbon_data.color);
}
// Ribbon background color
if (
ribbon_data.background_color &&
validStrColour(ribbon_data.background_color)
) {
ribbon.css("background-color", ribbon_data.background_color);
}
});
});
});
| OCA/web/web_environment_ribbon/static/src/js/ribbon.js/0 | {
"file_path": "OCA/web/web_environment_ribbon/static/src/js/ribbon.js",
"repo_id": "OCA",
"token_count": 1083
} | 67 |
====================
Group Expand Buttons
====================
..
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! This file is generated by oca-gen-addon-readme !!
!! changes will be overwritten. !!
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! source digest: sha256:0fb42d09f0995520749d0cb55db14e5ed47e9e037598f2a9ac9e5534887e0666
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
.. |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_group_expand
: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_group_expand
: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|
When grouping a list by a field, this module adds two buttons to expand or
collapse all the groups at once.
The buttons appear in the top right, in place of the pagination.
One level of groups is expanded or collapsed at a time.
**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_group_expand%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
~~~~~~~
* OpenERP SA
* AvanzOSC
* Serv. Tecnol. Avanzados - Pedro M. Baeza
* Therp BV
* Xtendoo
Contributors
~~~~~~~~~~~~
* Mantavya Gajjar <mga@openerp.com>
* Oihane Crucelaegui <oihanecrucelaegi@avanzosc.es>
* Pedro M. Baeza <pedro.baeza@serviciosbaeza.com>
* Jay Vora (SerpentCS) for their alternative implementation
* Jan Verbeek <jverbeek@therp.nl>
* Manuel Calero <manuelcalerosolis@gmail.com>
* Alvaro Estebanez (brain-tec AG) <alvaro.estebanez@bt-group.com>
* Mayank Patel <mayankpatel3555@gmail.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_group_expand>`_ project on GitHub.
You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
| OCA/web/web_group_expand/README.rst/0 | {
"file_path": "OCA/web/web_group_expand/README.rst",
"repo_id": "OCA",
"token_count": 1214
} | 68 |
==============
Help Framework
==============
..
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! This file is generated by oca-gen-addon-readme !!
!! changes will be overwritten. !!
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! source digest: sha256:58edff8be040444604931118c74b543873d860d4e6a635d001bab8749eba9fa2
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
.. |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_help
: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_help
: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 introduces a new way to guide the user through Odoo.
This module is created because **the standard Odoo tours:**
#. forces the user to create records;
#. cannot be reopened;
#. is only available for the admin user;
#. the bubbles are not obvious.
**Table of contents**
.. contents::
:local:
Usage
=====
**Demo:**
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_help/static/description/demo.gif
You can see the demo live by going to the users list view (Settings > Users & Companies > Users)
and clicking the little '?' next to the view switcher.
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_help/static/description/viewswitcher.png
Also there's a demo for the change password wizard:
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_help/static/description/changepassword.png
It's easy to create your own guides, please refer to ``static/src/user_trip.esm.js`` and
``static/src/change_password_trip.esm.js``
Known issues / Roadmap
======================
* Implement keyboard shortcuts
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_help%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
~~~~~~~
* Onestein
Contributors
~~~~~~~~~~~~
* Dennis Sluijk <d.sluijk@onestein.nl>
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_help>`_ project on GitHub.
You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
| OCA/web/web_help/README.rst/0 | {
"file_path": "OCA/web/web_help/README.rst",
"repo_id": "OCA",
"token_count": 1255
} | 69 |
/** @odoo-module **/
import {Trip} from "@web_help/trip.esm";
import {registry} from "@web/core/registry";
export class ChangePasswordTrip extends Trip {
setup() {
this.addStep({
selector: "th[data-name='new_passwd'], td[name='new_passwd']",
content: this.env._t("Change the password here, make sure it's secure."),
});
this.addStep({
selector: "button[name='change_password_button']",
content: this.env._t("Click here to confirm it."),
});
}
}
registry.category("trips").add("change_password_trip", {
Trip: ChangePasswordTrip,
selector: (model, viewType) =>
model === "change.password.wizard" && viewType === "form",
});
| OCA/web/web_help/static/src/change_password_trip.esm.js/0 | {
"file_path": "OCA/web/web_help/static/src/change_password_trip.esm.js",
"repo_id": "OCA",
"token_count": 301
} | 70 |
Add the class web-hide-field to a field:
::
<field name="name" class="web-hide-field">
Then press the "p" key and the field will disappear
| OCA/web/web_hide_field_with_key/readme/USAGE.rst/0 | {
"file_path": "OCA/web/web_hide_field_with_key/readme/USAGE.rst",
"repo_id": "OCA",
"token_count": 47
} | 71 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_ir_actions_act_window_message
#
# Translators:
# Peter Hageman <hageman.p@gmail.com>, 2017
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 10.0\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2017-06-22 08:27+0000\n"
"PO-Revision-Date: 2017-06-22 08:27+0000\n"
"Last-Translator: Peter Hageman <hageman.p@gmail.com>, 2017\n"
"Language-Team: Dutch (Netherlands) (https://www.transifex.com/oca/"
"teams/23907/nl_NL/)\n"
"Language: nl_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"
#. 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 "Sluiten"
| OCA/web/web_ir_actions_act_window_message/i18n/nl_NL.po/0 | {
"file_path": "OCA/web/web_ir_actions_act_window_message/i18n/nl_NL.po",
"repo_id": "OCA",
"token_count": 373
} | 72 |
/** @odoo-module **/
import Dialog from "web.Dialog";
import {registry} from "@web/core/registry";
function _refreshWidget(env) {
const controller = env.services.action.currentController;
const props = controller.props;
const view = controller.view;
// LEGACY CODE COMPATIBILITY: remove when controllers will be written in owl
if (view.isLegacy) {
// Case where a legacy view is reloaded via the view switcher
const {__legacy_widget__} = controller.getLocalState();
const params = {};
if ("resId" in props) {
params.currentId = props.resId;
}
return __legacy_widget__.reload(params);
}
// END LEGACY CODE COMPATIBILITY
env.services.action.switchView(props.type, {resId: props.resId});
}
function ir_actions_act_window_message_get_buttons(env, action, close_func) {
// Return an array of button definitions from action
return _.map(action.buttons || [], function (button_definition) {
return {
text: button_definition.name || "No name set",
classes: button_definition.classes || "btn-default",
click: function () {
if (button_definition.type === "method") {
env.services
.rpc("/web/dataset/call_button", {
model: button_definition.model,
method: button_definition.method,
args: button_definition.args,
kwargs: button_definition.kwargs,
})
.then(function (result) {
if (_.isObject(result)) {
return env.services.action.doAction(result);
}
_refreshWidget(env);
});
} else {
return env.services.action.doAction(button_definition);
}
close_func();
},
};
});
}
async function _executeWindowMessageAction({env, action}) {
var buttons = [];
if (action.close_button_title !== false) {
buttons.push({
text: action.close_button_title || env._t("Close"),
click: function () {
// Refresh the view before closing the dialog
_refreshWidget(env);
this.close();
},
classes: "btn-default",
});
}
var is_html = action.is_html_message === true;
var content_properties = {};
if (is_html) {
content_properties = {
html: action.message,
};
} else {
content_properties = {
text: action.message,
css: {
"white-space": "pre-line",
},
};
}
var dialog = new Dialog(
this,
_.extend({
size: "medium",
title: action.title,
$content: $("<div>", content_properties),
buttons: buttons.concat(
ir_actions_act_window_message_get_buttons(env, action, function () {
dialog.close();
})
),
})
);
return dialog.open()._opened;
}
registry
.category("action_handlers")
.add("ir.actions.act_window.message", _executeWindowMessageAction);
| OCA/web/web_ir_actions_act_window_message/static/src/js/web_ir_actions_act_window_message.esm.js/0 | {
"file_path": "OCA/web/web_ir_actions_act_window_message/static/src/js/web_ir_actions_act_window_message.esm.js",
"repo_id": "OCA",
"token_count": 1690
} | 73 |
/** @odoo-module */
import {ListRenderer} from "@web/views/list/list_renderer";
import {patch} from "@web/core/utils/patch";
export const RangeListSelector = {
setup() {
this._super(...arguments);
this.range_history = [];
},
_getRangeSelection() {
var self = this;
// Get start and end
var start = null,
end = null;
$(".o_list_record_selector input").each(function (i, el) {
var id = $(el).closest("tr").data("id");
var checked = self.range_history.indexOf(id) !== -1;
if (checked && $(this).is(":checked")) {
if (start === null) {
start = i;
} else {
end = i;
}
}
});
var new_range = this._getSelectionByRange(start, end);
var current_selection = [];
current_selection = _.uniq(current_selection.concat(new_range));
return current_selection;
},
_getSelectionByRange(start, end) {
var result = [];
$(".o_list_record_selector input")
.closest("tr")
.each(function (i, el) {
var record_id = $(el).data("id");
if (start !== null && end !== null && i >= start && i <= end) {
result.push(record_id);
} else if (start !== null && end === null && start === i) {
result.push(record_id);
}
});
return result;
},
_pushRangeHistory(id) {
if (this.range_history !== undefined) {
if (this.range_history.length === 2) {
this.range_history = [];
}
}
this.range_history.push(id);
},
_deselectTable() {
// This is needed because the checkboxes are not real checkboxes.
window.getSelection().removeAllRanges();
},
_onClickSelectRecord(record, ev) {
const el = $(ev.currentTarget);
if (el.find("input").prop("checked")) {
this._pushRangeHistory(el.closest("tr").data("id"));
}
if (ev.shiftKey) {
// Get selection
var selection = this._getRangeSelection();
var $rows = $("td.o_list_record_selector input").closest("tr");
$rows.each(function () {
var record_id = $(this).data("id");
if (selection.indexOf(record_id) !== -1) {
$(this)
.find("td.o_list_record_selector input")
.prop("checked", true);
}
});
// Update selection internally
this.checkBoxSelections(selection);
this._deselectTable();
}
},
checkBoxSelections(selection) {
const record = this.props.list.records;
for (const line in record) {
for (const id in selection) {
if (selection[selection.length - 1] === selection[id]) {
continue;
}
if (selection[id] === record[line].id) {
record[line].selected = true;
record[line].model.trigger("update");
continue;
}
}
}
},
};
patch(
ListRenderer.prototype,
"web_listview_range_select.WebListviewRangeSelect",
RangeListSelector
);
| OCA/web/web_listview_range_select/static/src/js/web_listview_range_select.esm.js/0 | {
"file_path": "OCA/web/web_listview_range_select/static/src/js/web_listview_range_select.esm.js",
"repo_id": "OCA",
"token_count": 1759
} | 74 |
/** @odoo-module **/
import {Many2XAutocomplete} from "@web/views/fields/relational_utils";
import {patch} from "@web/core/utils/patch";
import {sprintf} from "@web/core/utils/strings";
const {Component} = owl;
export function is_option_set(option) {
if (_.isUndefined(option)) return false;
if (typeof option === "string") return option === "true" || option === "True";
if (typeof option === "boolean") return option;
return false;
}
patch(Many2XAutocomplete.prototype, "web_m2x_options.Many2XAutocomplete", {
setup() {
this._super(...arguments);
this.ir_options = Component.env.session.web_m2x_options;
},
async loadOptionsSource(request) {
if (this.lastProm) {
this.lastProm.abort(false);
}
// Add options limit used to change number of selections record
// returned.
if (!_.isUndefined(this.ir_options["web_m2x_options.limit"])) {
this.props.searchLimit = parseInt(
this.ir_options["web_m2x_options.limit"],
10
);
this.limit = this.props.searchLimit;
}
if (typeof this.props.nodeOptions.limit === "number") {
this.props.searchLimit = this.props.nodeOptions.limit;
this.limit = this.props.searchLimit;
}
// Add options field_color and colors to color item(s) depending on field_color value
this.field_color = this.props.nodeOptions.field_color;
this.colors = this.props.nodeOptions.colors;
this.lastProm = this.orm.call(this.props.resModel, "name_search", [], {
name: request,
operator: "ilike",
args: this.props.getDomain(),
limit: this.props.searchLimit + 1,
context: this.props.context,
});
const records = await this.lastProm;
var options = records.map((result) => ({
value: result[0],
id: result[0],
label: result[1].split("\n")[0],
}));
// Limit results if there is a custom limit options
if (this.limit) {
options = options.slice(0, this.props.searchLimit);
}
// Search result value colors
if (this.colors && this.field_color) {
var value_ids = options.map((result) => result.value);
const objects = await this.orm.call(
this.props.resModel,
"search_read",
[],
{
domain: [["id", "in", value_ids]],
fields: [this.field_color],
}
);
for (var index in objects) {
for (var index_value in options) {
if (options[index_value].id === objects[index].id) {
// Find value in values by comparing ids
var option = options[index_value];
// Find color with field value as key
var color =
this.colors[objects[index][this.field_color]] || "black";
option.style = "color:" + color;
break;
}
}
}
}
// Quick create
// Note: Create should be before `search_more` (reserve native order)
// One more reason: when calling `onInputBlur`, native select the first option (activeSourceOption)
// which triggers m2o_dialog if m2o_dialog=true
var create_enabled =
this.props.quickCreate && !this.props.nodeOptions.no_create;
var raw_result = _.map(records, function (x) {
return x[1];
});
var quick_create = is_option_set(this.props.nodeOptions.create),
quick_create_undef = _.isUndefined(this.props.nodeOptions.create),
m2x_create_undef = _.isUndefined(this.ir_options["web_m2x_options.create"]),
m2x_create = is_option_set(this.ir_options["web_m2x_options.create"]);
var show_create =
(!this.props.nodeOptions && (m2x_create_undef || m2x_create)) ||
(this.props.nodeOptions &&
(quick_create ||
(quick_create_undef && (m2x_create_undef || m2x_create))));
if (
create_enabled &&
!this.props.nodeOptions.no_quick_create &&
request.length > 0 &&
!_.contains(raw_result, request) &&
show_create
) {
options.push({
label: sprintf(this.env._t(`Create "%s"`), request),
classList: "o_m2o_dropdown_option o_m2o_dropdown_option_create",
action: async (params) => {
try {
await this.props.quickCreate(request, params);
} catch {
const context = this.getCreationContext(request);
return this.openMany2X({context});
}
},
});
}
// Search more...
// Resolution order:
// 1- check if "search_more" is set locally in node's options
// 2- if set locally, apply its value
// 3- if not set locally, check if it's set globally via ir.config_parameter
// 4- if set globally, apply its value
// 5- if not set globally either, check if returned values are more than node's limit
var search_more = false;
if (!_.isUndefined(this.props.nodeOptions.search_more)) {
search_more = is_option_set(this.props.nodeOptions.search_more);
} else if (!_.isUndefined(this.ir_options["web_m2x_options.search_more"])) {
search_more = is_option_set(this.ir_options["web_m2x_options.search_more"]);
} else {
search_more =
!this.props.noSearchMore && this.props.searchLimit < records.length;
}
if (search_more) {
options.push({
label: this.env._t("Search More..."),
action: this.onSearchMore.bind(this, request),
classList: "o_m2o_dropdown_option o_m2o_dropdown_option_search_more",
});
}
// Create and Edit
const canCreateEdit =
"createEdit" in this.activeActions
? this.activeActions.createEdit
: this.activeActions.create;
if (
!request.length &&
!this.props.value &&
(this.props.quickCreate || canCreateEdit)
) {
options.push({
label: this.env._t("Start typing..."),
classList: "o_m2o_start_typing",
unselectable: true,
});
}
// Create and edit ...
var create_edit =
is_option_set(this.props.nodeOptions.create) ||
is_option_set(this.props.nodeOptions.create_edit),
create_edit_undef =
_.isUndefined(this.props.nodeOptions.create) &&
_.isUndefined(this.props.nodeOptions.create_edit),
m2x_create_edit_undef = _.isUndefined(
this.ir_options["web_m2x_options.create_edit"]
),
m2x_create_edit = is_option_set(
this.ir_options["web_m2x_options.create_edit"]
);
var show_create_edit =
(!this.props.nodeOptions && (m2x_create_edit_undef || m2x_create_edit)) ||
(this.props.nodeOptions &&
(create_edit ||
(create_edit_undef && (m2x_create_edit_undef || m2x_create_edit))));
if (
create_enabled &&
!this.props.nodeOptions.no_create_edit &&
show_create_edit &&
request.length &&
canCreateEdit
) {
const context = this.getCreationContext(request);
options.push({
label: this.env._t("Create and edit..."),
classList: "o_m2o_dropdown_option o_m2o_dropdown_option_create_edit",
action: () => this.openMany2X({context}),
});
}
// No records
if (!records.length && !this.activeActions.create) {
options.push({
label: this.env._t("No records"),
classList: "o_m2o_no_result",
unselectable: true,
});
}
return options;
},
});
Many2XAutocomplete.defaultProps = {
...Many2XAutocomplete.defaultProps,
nodeOptions: {},
};
| OCA/web/web_m2x_options/static/src/components/relational_utils.esm.js/0 | {
"file_path": "OCA/web/web_m2x_options/static/src/components/relational_utils.esm.js",
"repo_id": "OCA",
"token_count": 4320
} | 75 |
.o_tooltip {
display: none;
}
| OCA/web/web_no_bubble/static/src/css/web_no_bubble.scss/0 | {
"file_path": "OCA/web/web_no_bubble/static/src/css/web_no_bubble.scss",
"repo_id": "OCA",
"token_count": 17
} | 76 |
* Laurent Mignon <laurent.mignon@acsone.eu>
* Serpent Consulting Services Pvt. Ltd.<jay.vora@serpentcs.com>
* Aitor Bouzas <aitor.bouzas@adaptivecity.com>
* Shepilov Vladislav <shepilov.v@protonmail.com>
* Kevin Khao <kevin.khao@akretion.com>
* `Tecnativa <https://www.tecnativa.com>`_:
* David Vidal
| OCA/web/web_notify/readme/CONTRIBUTORS.rst/0 | {
"file_path": "OCA/web/web_notify/readme/CONTRIBUTORS.rst",
"repo_id": "OCA",
"token_count": 131
} | 77 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_notify_channel_message
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 16.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2023-11-08 14:38+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_notify_channel_message
#: model:ir.model,name:web_notify_channel_message.model_mail_channel
msgid "Discussion Channel"
msgstr "Canal de Discusión"
#. module: web_notify_channel_message
#. odoo-python
#: code:addons/web_notify_channel_message/models/mail_channel.py:0
#, python-format
msgid "You have a new message in channel %s"
msgstr "Tiene un nuevo mensaje en el canal %s"
| OCA/web/web_notify_channel_message/i18n/es.po/0 | {
"file_path": "OCA/web/web_notify_channel_message/i18n/es.po",
"repo_id": "OCA",
"token_count": 370
} | 78 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_pivot_computed_measure
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 12.0\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2022-11-22 12:42+0000\n"
"PO-Revision-Date: 2023-11-19 19:33+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: 8bit\n"
"Plural-Forms: nplurals=2; plural=n != 1;\n"
"X-Generator: Weblate 4.17\n"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/view.xml:0
#, python-format
msgid "!measure.startsWith('__computed_')"
msgstr "!measure.startsWith('__computed_')"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Add"
msgstr "Añadir"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Can be empty"
msgstr "Puede estar vacío"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Computed Measure"
msgstr "Medida computada"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Custom"
msgstr "Customizado"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Div (m1 / m2)"
msgstr "Div (m1 / m2)"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Float"
msgstr "Flotador"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Format"
msgstr "Formato"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Formula"
msgstr "Fórmula"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Integer"
msgstr "Entero"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Measure 1"
msgstr "Medida 1"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Measure 2"
msgstr "Medida 2"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Mult (m1 * m2)"
msgstr "Mult (m1 * m2)"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Name"
msgstr "Nombre"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Operation"
msgstr "Operación"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Perc (m1 * 100 / m2)"
msgstr "Perc (m1 * 100 / m2)"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Percentage"
msgstr "Porcentaje"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Sub (m1 - m2)"
msgstr "Sub (m1 - m2)"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/dropdown_item_custom_measure/dropdown_item_custom_measure.xml:0
#, python-format
msgid "Sum (m1 + m2)"
msgstr "Sum (m1 + m2)"
#. module: web_pivot_computed_measure
#. openerp-web
#: code:addons/web_pivot_computed_measure/static/src/pivot/pivot_model.esm.js:0
#, python-format
msgid ""
"This measure is currently used by a 'computed measure'. Please, disable the "
"computed measure first."
msgstr ""
"Esta medida está utilizada por una 'medida computada'. Por favor, desabilita "
"la medida computada primero."
| OCA/web/web_pivot_computed_measure/i18n/es.po/0 | {
"file_path": "OCA/web/web_pivot_computed_measure/i18n/es.po",
"repo_id": "OCA",
"token_count": 2136
} | 79 |
<?xml version="1.0" encoding="UTF-8" ?>
<templates xml:space="preserve">
<t t-inherit="web.PivotView.Buttons" t-inherit-mode="extension" owl="1">
<xpath expr="//t[@t-call='web.ReportViewMeasures']" position="inside">
<t t-set="add_computed_measures" t-value="true" />
<t t-set="model" t-value="model" />
</xpath>
</t>
</templates>
| OCA/web/web_pivot_computed_measure/static/src/pivot/pivot_view.xml/0 | {
"file_path": "OCA/web/web_pivot_computed_measure/static/src/pivot/pivot_view.xml",
"repo_id": "OCA",
"token_count": 160
} | 80 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_pwa_oca
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 16.0\n"
"Report-Msgid-Bugs-To: \n"
"Last-Translator: \n"
"Language-Team: \n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: \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 ""
#. module: web_pwa_oca
#: model:ir.model,name:web_pwa_oca.model_res_config_settings
msgid "Config Settings"
msgstr ""
#. module: web_pwa_oca
#: model:ir.model.fields,field_description:web_pwa_oca.field_res_config_settings__pwa_icon
msgid "Icon"
msgstr ""
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "Name"
msgstr ""
#. 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 ""
#. 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 ""
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "PWA Title"
msgstr ""
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "Progressive Web App"
msgstr ""
#. 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 ""
#. 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 ""
#. 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 ""
#. module: web_pwa_oca
#: model_terms:ir.ui.view,arch_db:web_pwa_oca.res_config_settings_view_form
msgid "Short Name"
msgstr ""
#. 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 ""
#. module: web_pwa_oca
#: model:ir.model.fields,field_description:web_pwa_oca.field_res_config_settings__pwa_theme_color
msgid "Theme Color"
msgstr ""
#. 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 ""
#. 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 ""
#. 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 ""
#. module: web_pwa_oca
#. odoo-javascript
#: code:addons/web_pwa_oca/static/src/js/pwa_manager.js:0
#, python-format
msgid "[ServiceWorker] Registered:"
msgstr ""
#. 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 ""
| OCA/web/web_pwa_oca/i18n/web_pwa_oca.pot/0 | {
"file_path": "OCA/web/web_pwa_oca/i18n/web_pwa_oca.pot",
"repo_id": "OCA",
"token_count": 1408
} | 81 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_refresher
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 16.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2023-11-06 17:37+0000\n"
"Last-Translator: Rémi <remi@le-filament.com>\n"
"Language-Team: none\n"
"Language: fr\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_refresher
#. odoo-javascript
#: code:addons/web_refresher/static/src/xml/refresher.xml:0
#, python-format
msgid "Pager"
msgstr ""
#. module: web_refresher
#. odoo-javascript
#: code:addons/web_refresher/static/src/xml/refresher.xml:0
#: code:addons/web_refresher/static/src/xml/refresher.xml:0
#, python-format
msgid "Refresh"
msgstr "Actualiser"
| OCA/web/web_refresher/i18n/fr.po/0 | {
"file_path": "OCA/web/web_refresher/i18n/fr.po",
"repo_id": "OCA",
"token_count": 372
} | 82 |
<?xml version="1.0" encoding="UTF-8" ?>
<!-- Copyright 2022 Tecnativa - Alexandre Díaz
License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl). -->
<template>
<t t-name="web_refresher.Button" owl="1">
<nav class="oe_refresher" aria-label="Pager">
<span aria-atomic="true">
<button
class="fa fa-refresh btn btn-icon oe_pager_refresh"
aria-label="Refresh"
t-on-click="_doRefresh"
title="Refresh"
tabindex="-1"
/>
</span>
</nav>
</t>
</template>
| OCA/web/web_refresher/static/src/xml/refresher.xml/0 | {
"file_path": "OCA/web/web_refresher/static/src/xml/refresher.xml",
"repo_id": "OCA",
"token_count": 358
} | 83 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_responsive
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 13.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2020-11-07 15:08+0000\n"
"Last-Translator: Waleed Mohsen <Mohsen.Waleed@gmail.com>\n"
"Language-Team: none\n"
"Language: ar\n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: nplurals=6; plural=n==0 ? 0 : n==1 ? 1 : n==2 ? 2 : n%100>=3 "
"&& n%100<=10 ? 3 : n%100>=11 ? 4 : 5;\n"
"X-Generator: Weblate 3.10\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 "جانبي"
#~ msgid "Users"
#~ msgstr "المستخدمون"
#~ msgid "#menu_id=#{app.menuID}&action_id=#{app.actionID}"
#~ msgstr "#menu_id=#{app.menuID}&action_id=#{app.actionID}"
#~ msgid "Close"
#~ msgstr "إغلاق"
#~ msgid ""
#~ "btn btn-secondary o_mail_discuss_button_multi_user_channel d-md-block d-"
#~ "none"
#~ msgstr ""
#~ "btn btn-secondary o_mail_discuss_button_multi_user_channel d-md-block d-"
#~ "none"
#~ msgid "false"
#~ msgstr "false"
#~ msgid ""
#~ "modal o_modal_fullscreen o_document_viewer o_responsive_document_viewer"
#~ msgstr ""
#~ "modal o_modal_fullscreen o_document_viewer o_responsive_document_viewer"
| OCA/web/web_responsive/i18n/ar.po/0 | {
"file_path": "OCA/web/web_responsive/i18n/ar.po",
"repo_id": "OCA",
"token_count": 1950
} | 84 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_responsive
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 12.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2020-07-08 05:19+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.10\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 "侧面"
#~ msgid "Users"
#~ msgstr "用户"
#~ msgid "#menu_id=#{app.menuID}&action_id=#{app.actionID}"
#~ msgstr "#menu_id=#{app.menuID}&action_id=#{app.actionID}"
#~ msgid "Close"
#~ msgstr "关闭"
#~ msgid ""
#~ "btn btn-secondary o_mail_discuss_button_multi_user_channel d-md-block d-"
#~ "none"
#~ msgstr ""
#~ "btn btn-secondary o_mail_discuss_button_multi_user_channel d-md-block d-"
#~ "none"
#~ msgid "false"
#~ msgstr "false"
#~ msgid ""
#~ "modal o_modal_fullscreen o_document_viewer o_responsive_document_viewer"
#~ msgstr ""
#~ "modal o_modal_fullscreen o_document_viewer o_responsive_document_viewer"
| OCA/web/web_responsive/i18n/zh_CN.po/0 | {
"file_path": "OCA/web/web_responsive/i18n/zh_CN.po",
"repo_id": "OCA",
"token_count": 1878
} | 85 |
/** @odoo-module **/
/* Copyright 2018 Tecnativa - Jairo Llopis
* Copyright 2021 ITerra - Sergey Shebanin
* Copyright 2023 Onestein - Anjeel Haria
* License LGPL-3.0 or later (http://www.gnu.org/licenses/lgpl). */
import {NavBar} from "@web/webclient/navbar/navbar";
import {useAutofocus, useBus, useService} from "@web/core/utils/hooks";
import {useHotkey} from "@web/core/hotkeys/hotkey_hook";
import {scrollTo} from "@web/core/utils/scrolling";
import {debounce} from "@web/core/utils/timing";
import {fuzzyLookup} from "@web/core/utils/search";
import {WebClient} from "@web/webclient/webclient";
import {patch} from "web.utils";
import {escapeRegExp} from "@web/core/utils/strings";
const {Component, useState, onPatched, onWillPatch} = owl;
// Patch WebClient to show AppsMenu instead of default app
patch(WebClient.prototype, "web_responsive.DefaultAppsMenu", {
setup() {
this._super();
useBus(this.env.bus, "APPS_MENU:STATE_CHANGED", ({detail: state}) => {
document.body.classList.toggle("o_apps_menu_opened", state);
});
},
});
/**
* @extends Dropdown
*/
export class AppsMenu extends Component {
setup() {
super.setup();
this.state = useState({open: false});
this.menuService = useService("menu");
useBus(this.env.bus, "ACTION_MANAGER:UI-UPDATED", () => {
this.setOpenState(false, false);
});
this._setupKeyNavigation();
}
setOpenState(open_state, from_home_menu_click) {
this.state.open = open_state;
// Load home page with proper systray when opening it from website
if (from_home_menu_click) {
var currentapp = this.menuService.getCurrentApp();
if (currentapp && currentapp.name == "Website") {
if (window.location.pathname != "/web") {
const icon = $(
document.querySelector(".o_navbar_apps_menu button > i")
);
icon.removeClass("fa fa-th-large").append(
$("<span/>", {class: "fa fa-spin fa-spinner"})
);
}
window.location.href = "/web#home";
} else {
this.env.bus.trigger("APPS_MENU:STATE_CHANGED", open_state);
}
} else {
this.env.bus.trigger("APPS_MENU:STATE_CHANGED", open_state);
}
}
/**
* Setup navigation among app menus
*/
_setupKeyNavigation() {
const repeatable = {
allowRepeat: true,
};
useHotkey(
"ArrowRight",
() => {
this._onWindowKeydown("next");
},
repeatable
);
useHotkey(
"ArrowLeft",
() => {
this._onWindowKeydown("prev");
},
repeatable
);
useHotkey(
"ArrowDown",
() => {
this._onWindowKeydown("next");
},
repeatable
);
useHotkey(
"ArrowUp",
() => {
this._onWindowKeydown("prev");
},
repeatable
);
useHotkey("Escape", () => {
this.env.bus.trigger("ACTION_MANAGER:UI-UPDATED");
});
}
_onWindowKeydown(direction) {
const focusableInputElements = document.querySelectorAll(`.o_app`);
if (focusableInputElements.length) {
const focusable = [...focusableInputElements];
const index = focusable.indexOf(document.activeElement);
let nextIndex = 0;
if (direction == "prev" && index >= 0) {
if (index > 0) {
nextIndex = index - 1;
} else {
nextIndex = focusable.length - 1;
}
} else if (direction == "next") {
if (index + 1 < focusable.length) {
nextIndex = index + 1;
} else {
nextIndex = 0;
}
}
focusableInputElements[nextIndex].focus();
}
}
}
/**
* Reduce menu data to a searchable format understandable by fuzzyLookup
*
* `menuService.getMenuAsTree()` returns array in a format similar to this (only
* relevant data is shown):
*
* ```js
* // This is a menu entry:
* {
* actionID: 12, // Or `false`
* name: "Actions",
* childrenTree: {0: {...}, 1: {...}}}, // List of inner menu entries
* // in the same format or `undefined`
* }
* ```
*
* This format is very hard to process to search matches, and it would
* slow down the search algorithm, so we reduce it with this method to be
* able to later implement a simpler search.
*
* @param {Object} memo
* Reference to current result object, passed on recursive calls.
*
* @param {Object} menu
* A menu entry, as described above.
*
* @returns {Object}
* Reduced object, without entries that have no action, and with a
* format like this:
*
* ```js
* {
* "Discuss": {Menu entry Object},
* "Settings": {Menu entry Object},
* "Settings/Technical/Actions/Actions": {Menu entry Object},
* ...
* }
* ```
*/
function findNames(memo, menu) {
if (menu.actionID) {
var result = "";
if (menu.webIconData) {
const prefix = menu.webIconData.startsWith("P")
? "data:image/svg+xml;base64,"
: "data:image/png;base64,";
result = menu.webIconData.startsWith("data:image")
? menu.webIconData
: prefix + menu.webIconData.replace(/\s/g, "");
}
menu.webIconData = result;
memo[menu.name.trim()] = menu;
}
if (menu.childrenTree) {
const innerMemo = _.reduce(menu.childrenTree, findNames, {});
for (const innerKey in innerMemo) {
memo[menu.name.trim() + " / " + innerKey] = innerMemo[innerKey];
}
}
return memo;
}
/**
* @extends Component
*/
export class AppsMenuSearchBar extends Component {
setup() {
super.setup();
this.state = useState({
results: [],
offset: 0,
hasResults: false,
});
this.searchBarInput = useAutofocus({refName: "SearchBarInput"});
this._searchMenus = debounce(this._searchMenus, 100);
// Store menu data in a format searchable by fuzzy.js
this._searchableMenus = [];
this.menuService = useService("menu");
for (const menu of this.menuService.getApps()) {
Object.assign(
this._searchableMenus,
_.reduce([this.menuService.getMenuAsTree(menu.id)], findNames, {})
);
}
// Set up key navigation
this._setupKeyNavigation();
onWillPatch(() => {
// Allow looping on results
if (this.state.offset < 0) {
this.state.offset = this.state.results.length + this.state.offset;
} else if (this.state.offset >= this.state.results.length) {
this.state.offset -= this.state.results.length;
}
});
onPatched(() => {
// Scroll to selected element on keyboard navigation
if (this.state.results.length) {
const listElement = document.querySelector(".search-results");
const activeElement = listElement.querySelector(".highlight");
if (activeElement) {
scrollTo(activeElement, listElement);
}
}
});
}
/**
* Search among available menu items, and render that search.
*/
_searchMenus() {
const query = this.searchBarInput.el.value;
this.state.hasResults = query !== "";
this.state.results = this.state.hasResults
? fuzzyLookup(query, _.keys(this._searchableMenus), (k) => k)
: [];
}
/**
* Get menu object for a given key.
* @param {String} key Full path to requested menu.
* @returns {Object} Menu object.
*/
_menuInfo(key) {
return this._searchableMenus[key];
}
/**
* Setup navigation among search results
*/
_setupKeyNavigation() {
useHotkey("Home", () => {
this.state.offset = 0;
});
useHotkey("End", () => {
this.state.offset = this.state.results.length - 1;
});
}
_onKeyDown(ev) {
if (ev.code === "Escape") {
ev.stopPropagation();
ev.preventDefault();
const query = this.searchBarInput.el.value;
if (query) {
this.searchBarInput.el.value = "";
this.state.results = [];
this.state.hasResults = false;
} else {
this.env.bus.trigger("ACTION_MANAGER:UI-UPDATED");
}
} else if (ev.code === "Tab") {
if (document.querySelector(".search-results")) {
ev.preventDefault();
if (ev.shiftKey) {
this.state.offset--;
} else {
this.state.offset++;
}
}
} else if (ev.code === "ArrowUp") {
if (document.querySelector(".search-results")) {
ev.preventDefault();
this.state.offset--;
}
} else if (ev.code === "ArrowDown") {
if (document.querySelector(".search-results")) {
ev.preventDefault();
this.state.offset++;
}
} else if (ev.code === "Enter") {
if (this.state.results.length) {
ev.preventDefault();
document.querySelector(".search-results .highlight").click();
}
}
}
_splitName(name) {
const searchValue = this.searchBarInput.el.value;
if (name) {
const splitName = name.split(
new RegExp(`(${escapeRegExp(searchValue)})`, "ig")
);
return searchValue.length && splitName.length > 1 ? splitName : [name];
}
return [];
}
}
// Patch Navbar to add proper icon for apps
patch(NavBar.prototype, "web_responsive.navbar", {
getWebIconData(menu) {
var result = "/web_responsive/static/img/default_icon_app.png";
if (menu.webIconData) {
const prefix = menu.webIconData.startsWith("P")
? "data:image/svg+xml;base64,"
: "data:image/png;base64,";
result = menu.webIconData.startsWith("data:image")
? menu.webIconData
: prefix + menu.webIconData.replace(/\s/g, "");
}
return result;
},
});
AppsMenu.template = "web_responsive.AppsMenu";
AppsMenuSearchBar.template = "web_responsive.AppsMenuSearchResults";
Object.assign(NavBar.components, {AppsMenu, AppsMenuSearchBar});
| OCA/web/web_responsive/static/src/components/apps_menu/apps_menu.esm.js/0 | {
"file_path": "OCA/web/web_responsive/static/src/components/apps_menu/apps_menu.esm.js",
"repo_id": "OCA",
"token_count": 5285
} | 86 |
/** @odoo-module **/
/* Copyright 2021 ITerra - Sergey Shebanin
* Copyright 2023 Onestein - Anjeel Haria
* License LGPL-3.0 or later (http://www.gnu.org/licenses/lgpl). */
import {registry} from "@web/core/registry";
import {debounce} from "@web/core/utils/timing";
import config from "web.config";
import core from "web.core";
import Context from "web.Context";
// Legacy variant
// TODO: remove when legacy code will dropped from odoo
// TODO: then move context definition inside service start function
export const deviceContext = new Context({
isSmall: config.device.isMobile,
size: config.device.size_class,
SIZES: config.device.SIZES,
}).eval();
// New wowl variant
// TODO: use default odoo device context when it will be realized
const uiContextService = {
dependencies: ["ui"],
start(env, {ui}) {
window.addEventListener(
"resize",
debounce(() => {
const state = deviceContext;
if (state.size !== ui.size) {
state.size = ui.size;
}
if (state.isSmall !== ui.isSmall) {
state.isSmall = ui.isSmall;
config.device.isMobile = state.isSmall;
config.device.size_class = state.size;
core.bus.trigger("UI_CONTEXT:IS_SMALL_CHANGED");
}
}, 150) // UIService debounce for this event is 100
);
return deviceContext;
},
};
registry.category("services").add("ui_context", uiContextService);
| OCA/web/web_responsive/static/src/components/ui_context.esm.js/0 | {
"file_path": "OCA/web/web_responsive/static/src/components/ui_context.esm.js",
"repo_id": "OCA",
"token_count": 669
} | 87 |
# 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"
"Last-Translator: \n"
"Language-Team: \n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: \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 ""
#. module: web_save_discard_button
#: model:ir.model,name:web_save_discard_button.model_ir_http
msgid "HTTP Routing"
msgstr ""
#. module: web_save_discard_button
#. odoo-javascript
#: code:addons/web_save_discard_button/static/src/xml/template.xml:0
#, python-format
msgid "Save"
msgstr ""
| OCA/web/web_save_discard_button/i18n/web_save_discard_button.pot/0 | {
"file_path": "OCA/web/web_save_discard_button/i18n/web_save_discard_button.pot",
"repo_id": "OCA",
"token_count": 329
} | 88 |
This module allows you to select or deselect all the companies in a single click.
.. image:: ./static/description/select_all_companies.png
| OCA/web/web_select_all_companies/readme/DESCRIPTION.rst/0 | {
"file_path": "OCA/web/web_select_all_companies/readme/DESCRIPTION.rst",
"repo_id": "OCA",
"token_count": 36
} | 89 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_timeline
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 14.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2021-09-23 07:34+0000\n"
"Last-Translator: Saeed Raeisi <saeed.raesi2020@gmail.com>\n"
"Language-Team: none\n"
"Language: fa\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_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/js/timeline_renderer.js:0
#, python-format
msgid "<b>UNASSIGNED</b>"
msgstr ""
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/js/timeline_controller.esm.js:0
#, python-format
msgid "Are you sure you want to delete this record?"
msgstr ""
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/xml/web_timeline.xml:0
#, python-format
msgid "Day"
msgstr "روز"
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/xml/web_timeline.xml:0
#, python-format
msgid "Month"
msgstr ""
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/js/timeline_renderer.js:0
#, python-format
msgid "Template \"timeline-item\" not present in timeline view definition."
msgstr ""
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/js/timeline_view.js:0
#: model:ir.model.fields.selection,name:web_timeline.selection__ir_ui_view__type__timeline
#, python-format
msgid "Timeline"
msgstr ""
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/js/timeline_renderer.js:0
#, python-format
msgid "Timeline view has not defined 'date_start' attribute."
msgstr ""
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/xml/web_timeline.xml:0
#, python-format
msgid "Today"
msgstr ""
#. module: web_timeline
#: model:ir.model,name:web_timeline.model_ir_ui_view
msgid "View"
msgstr ""
#. module: web_timeline
#: model:ir.model.fields,field_description:web_timeline.field_ir_ui_view__type
msgid "View Type"
msgstr ""
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/js/timeline_controller.esm.js:0
#, python-format
msgid "Warning"
msgstr ""
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/xml/web_timeline.xml:0
#, python-format
msgid "Week"
msgstr ""
#. module: web_timeline
#. odoo-javascript
#: code:addons/web_timeline/static/src/xml/web_timeline.xml:0
#, python-format
msgid "Year"
msgstr ""
#~ msgid "Display Name"
#~ msgstr "نام نمایشی"
| OCA/web/web_timeline/i18n/fa.po/0 | {
"file_path": "OCA/web/web_timeline/i18n/fa.po",
"repo_id": "OCA",
"token_count": 1078
} | 90 |
* Implement a more efficient way of refreshing timeline after a record update;
* Make `attrs` attribute work;
* Make action attributes work (create, edit, delete) like in form and tree views.
* When grouping by m2m and more than one record is set, the timeline item appears only
on one group. Allow showing in both groups.
* When grouping by m2m and dragging for changing the time or the group, the changes on
the group will not be set, because it could make disappear the records not related
with the changes that we want to make. When the item is showed in all groups change
the value according the group of the dragged item.
| OCA/web/web_timeline/readme/ROADMAP.rst/0 | {
"file_path": "OCA/web/web_timeline/readme/ROADMAP.rst",
"repo_id": "OCA",
"token_count": 149
} | 91 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_tree_duplicate
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 12.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2021-02-01 12:44+0000\n"
"Last-Translator: Yann Papouin <y.papouin@dec-industrie.com>\n"
"Language-Team: none\n"
"Language: fr\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_tree_duplicate
#. openerp-web
#: code:addons/web_tree_duplicate/static/src/js/backend.js:47
#, python-format
msgid "Duplicate"
msgstr "Dupliquer"
#. module: web_tree_duplicate
#. openerp-web
#: code:addons/web_tree_duplicate/static/src/js/backend.js:84
#, python-format
msgid "Duplicated Records"
msgstr "Enregistrements dupliqués"
| OCA/web/web_tree_duplicate/i18n/fr.po/0 | {
"file_path": "OCA/web/web_tree_duplicate/i18n/fr.po",
"repo_id": "OCA",
"token_count": 374
} | 92 |
# License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl).
| OCA/web/web_tree_many2one_clickable/__init__.py/0 | {
"file_path": "OCA/web/web_tree_many2one_clickable/__init__.py",
"repo_id": "OCA",
"token_count": 26
} | 93 |
======================
Web Widget Bokeh Chart
======================
..
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! This file is generated by oca-gen-addon-readme !!
!! changes will be overwritten. !!
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
!! source digest: sha256:3ec86c20df03bbfbb52f5eaa52fb1be16d4fe3ec0f1756f745ad65eb7cc56b66
!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!
.. |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_widget_bokeh_chart
: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_widget_bokeh_chart
: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 add the possibility to insert Bokeh charts into Odoo standard views.
.. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_widget_bokeh_chart/static/description/example.png
:alt: Bokeh Chart inserted into an Odoo view
:width: 600 px
`Bokeh <https://bokeh.pydata.org>`__ is a Python interactive visualization
library that targets modern web browsers for presentation. Its goal is to
provide elegant, concise construction of basic exploratory and advanced
custom graphics in the style of D3.js, but also deliver this capability with
high-performance interactivity over very large or streaming datasets. Bokeh
can help anyone who would like to quickly and easily create interactive
plots, dashboards, and data applications.
If you want to see some samples of bokeh's capabilities follow this `link
<https://bokeh.pydata.org/en/latest/docs/gallery.html>`_.
**Table of contents**
.. contents::
:local:
Installation
============
You need to install the python bokeh library::
pip3 install bokeh==3.1.1
Usage
=====
To insert a Bokeh chart in a view proceed as follows:
Using a Char field
~~~~~~~~~~~~~~~~~~
#. Declare a text computed field like this::
bokeh_chart = fields.Text(
string='Bokeh Chart',
compute='_compute_bokeh_chart',
)
#. At the top of the module add the following imports::
from bokeh.plotting import figure
from bokeh.embed import components
import json
#. In its computed method do::
def _compute_bokeh_chart(self):
for rec in self:
# Design your bokeh figure:
p = figure()
line = p.line([0, 2], [1, 8], line_width=5)
# (...)
# fill the record field with both markup and the script of a chart.
script, div = components(p, wrap_script=False)
rec.bokeh_chart = json.dumps({"div": div, "script": script})
#. In the view, add something like this wherever you want to display your
bokeh chart::
<div>
<field name="bokeh_chart" widget="bokeh_chart" nolabel="1"/>
</div>
Using a Json field
~~~~~~~~~~~~~~~~~~
#. Declare a json computed field like this::
bokeh_chart = fields.Json(
string='Bokeh Chart',
compute='_compute_bokeh_chart',
)
#. At the top of the module add the following imports::
from bokeh.plotting import figure
from bokeh.embed import components
#. In its computed method do::
def _compute_bokeh_chart(self):
for rec in self:
# Design your bokeh figure:
p = figure()
line = p.line([0, 2], [1, 8], line_width=5)
# (...)
# fill the record field with both markup and the script of a chart.
script, div = components(p, wrap_script=False)
rec.bokeh_chart = {"div": div, "script": script}
#. In the view, add something like this wherever you want to display your
bokeh chart::
<div>
<field name="bokeh_chart" widget="bokeh_chart_json
Known issues / Roadmap
======================
#. On 17, we could remove the char field and only use the Json Field
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_widget_bokeh_chart%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
* Creu Blanca
Contributors
~~~~~~~~~~~~
* Jordi Ballester Alomar <jordi.ballester@forgeflow.com>
* Lois Rilo Antelo <lois.rilo@forgeflow.com>
* Artem Kostyuk <a.kostyuk@mobilunity.com>
* Christopher Ormaza <chris.ormaza@forgeflow.com>
* Enric Tobella <etobella@creublanca.es>
* Oriol Miranda Garrido <oriol.miranda@forgeflow.com>
* Bernat Puig Font <bernat.puig@forgeflow.com>
Other credits
~~~~~~~~~~~~~
* This module uses the library `Bokeh <https://github.com/bokeh/bokeh>`__
which is under the open-source BSD 3-clause "New" or "Revised" License.
Copyright (c) 2012, Anaconda, Inc.
* Odoo Community Association (OCA)
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-LoisRForgeFlow| image:: https://github.com/LoisRForgeFlow.png?size=40px
:target: https://github.com/LoisRForgeFlow
:alt: LoisRForgeFlow
.. |maintainer-ChrisOForgeFlow| image:: https://github.com/ChrisOForgeFlow.png?size=40px
:target: https://github.com/ChrisOForgeFlow
:alt: ChrisOForgeFlow
Current `maintainers <https://odoo-community.org/page/maintainer-role>`__:
|maintainer-LoisRForgeFlow| |maintainer-ChrisOForgeFlow|
This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_widget_bokeh_chart>`_ project on GitHub.
You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
| OCA/web/web_widget_bokeh_chart/README.rst/0 | {
"file_path": "OCA/web/web_widget_bokeh_chart/README.rst",
"repo_id": "OCA",
"token_count": 2498
} | 94 |
/** @odoo-module **/
import {loadBundle} from "@web/core/assets";
import {registry} from "@web/core/registry";
const {onWillStart, markup, Component, onMounted, onPatched, useRef} = owl;
export default class BokehChartJsonWidget extends Component {
setup() {
this.widget = useRef("widget");
onPatched(() => {
var script = document.createElement("script");
script.text = this.props.value.script;
this.widget.el.append(script);
});
onMounted(() => {
var script = document.createElement("script");
script.text = this.props.value.script;
this.widget.el.append(script);
});
onWillStart(() =>
loadBundle({
jsLibs: [
"/web_widget_bokeh_chart/static/src/lib/bokeh/bokeh-3.1.1.min.js",
"/web_widget_bokeh_chart/static/src/lib/bokeh/bokeh-api-3.1.1.min.js",
"/web_widget_bokeh_chart/static/src/lib/bokeh/bokeh-widgets-3.1.1.min.js",
"/web_widget_bokeh_chart/static/src/lib/bokeh/bokeh-tables-3.1.1.min.js",
"/web_widget_bokeh_chart/static/src/lib/bokeh/bokeh-mathjax-3.1.1.min.js",
"/web_widget_bokeh_chart/static/src/lib/bokeh/bokeh-gl-3.1.1.min.js",
],
})
);
}
markup(value) {
console.log("Marking up...");
return markup(value);
}
}
BokehChartJsonWidget.template = "web_widget_bokeh_chart.BokehChartlJsonField";
registry.category("fields").add("bokeh_chart_json", BokehChartJsonWidget);
| OCA/web/web_widget_bokeh_chart/static/src/js/web_widget_bokeh_json_chart.esm.js/0 | {
"file_path": "OCA/web/web_widget_bokeh_chart/static/src/js/web_widget_bokeh_json_chart.esm.js",
"repo_id": "OCA",
"token_count": 833
} | 95 |
/** @odoo-module **/
import BasicModel from "web.BasicModel";
BasicModel.include({
/**
* Fetches all the values associated to the given fieldName.
*
* @param {Object} record - an element from the localData
* @param {Object} fieldName - the name of the field
* @param {Object} fieldInfo
* @returns {Promise<any>}
* The promise is resolved with the fetched special values.
* If this data is the same as the previously fetched one
* (for the given parameters), no RPC is done and the promise
* is resolved with the undefined value.
*/
_fetchDynamicDropdownValues: function (record, fieldName, fieldInfo) {
var model = fieldInfo.options.model || record.model;
var method = fieldInfo.values || fieldInfo.options.values;
if (!method) {
return Promise.resolve();
}
var context = record.getContext({fieldName: fieldName});
// Avoid rpc if not necessary
var hasChanged = this._saveSpecialDataCache(record, fieldName, {
context: context,
});
if (!hasChanged) {
return Promise.resolve();
}
return this._rpc({
model: model,
method: method,
context: context,
}).then(function (result) {
var new_result = result.map((val_updated) => {
return val_updated.map((e) => {
if (typeof e !== "string") {
return String(e);
}
return e;
});
});
return new_result;
});
},
});
| OCA/web/web_widget_dropdown_dynamic/static/src/js/basic_model.esm.js/0 | {
"file_path": "OCA/web/web_widget_dropdown_dynamic/static/src/js/basic_model.esm.js",
"repo_id": "OCA",
"token_count": 768
} | 96 |
/*
Copyright 2016 Siddharth Bhalgami <siddharth.bhalgami@gmail.com>
Copyright 2019-Today: Druidoo (<https://www.druidoo.io>)
License LGPL-3.0 or later (http://www.gnu.org/licenses/lgpl).
*/
.o_form_view.o_form_editable
.o_form_field_image
.o_form_image_controls
.o_form_binary_file_web_cam {
color: inherit;
}
.o_field_widget.o_field_image .o_form_image_controls > .fa {
margin: 3px;
}
.o_form_view .o_form_field_image .o_form_image_controls > .fa {
margin: 3px;
}
.live_webcam_outer_div,
.webcam_result_outer_div {
padding-left: 20px;
}
#webcam_result img {
max-width: 320px;
max-height: 240px;
}
#live_webcam {
width: 320px;
height: 240px;
}
.direction_icon {
text-align: center;
}
| OCA/web/web_widget_image_webcam/static/src/css/web_widget_image_webcam.css/0 | {
"file_path": "OCA/web/web_widget_image_webcam/static/src/css/web_widget_image_webcam.css",
"repo_id": "OCA",
"token_count": 339
} | 97 |
This module adds the possibility to insert mpld3 charts into Odoo standard views.
This is an interactive D3js-based viewer which brings matplotlib graphics to the browser.
If you want to see some samples of mpld3's capabilities follow this `link
<http://mpld3.github.io/>`_.
| OCA/web/web_widget_mpld3_chart/readme/DESCRIPTION.rst/0 | {
"file_path": "OCA/web/web_widget_mpld3_chart/readme/DESCRIPTION.rst",
"repo_id": "OCA",
"token_count": 72
} | 98 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_widget_numeric_step
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 16.0\n"
"Report-Msgid-Bugs-To: \n"
"Last-Translator: \n"
"Language-Team: \n"
"MIME-Version: 1.0\n"
"Content-Type: text/plain; charset=UTF-8\n"
"Content-Transfer-Encoding: \n"
"Plural-Forms: \n"
#. module: web_widget_numeric_step
#. odoo-javascript
#: code:addons/web_widget_numeric_step/static/src/numeric_step.xml:0
#: code:addons/web_widget_numeric_step/static/src/numeric_step.xml:0
#, python-format
msgid "Minus"
msgstr ""
#. 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 ""
#. module: web_widget_numeric_step
#. odoo-javascript
#: code:addons/web_widget_numeric_step/static/src/numeric_step.xml:0
#: code:addons/web_widget_numeric_step/static/src/numeric_step.xml:0
#, python-format
msgid "Plus"
msgstr ""
| OCA/web/web_widget_numeric_step/i18n/web_widget_numeric_step.pot/0 | {
"file_path": "OCA/web/web_widget_numeric_step/i18n/web_widget_numeric_step.pot",
"repo_id": "OCA",
"token_count": 405
} | 99 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_widget_open_tab
#
msgid ""
msgstr ""
"Project-Id-Version: Odoo Server 12.0\n"
"Report-Msgid-Bugs-To: \n"
"PO-Revision-Date: 2021-02-17 13:45+0000\n"
"Last-Translator: claudiagn <claudia.gargallo@qubiq.es>\n"
"Language-Team: none\n"
"Language: ca\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_widget_open_tab
#: model:ir.model.fields,field_description:web_widget_open_tab.field_ir_model__add_open_tab_field
msgid "Add Open Tab Field"
msgstr ""
#. module: web_widget_open_tab
#: model:ir.model.fields,help:web_widget_open_tab.field_ir_model__add_open_tab_field
msgid "Adds open-tab field in list views."
msgstr ""
#. module: web_widget_open_tab
#: model:ir.model,name:web_widget_open_tab.model_base
msgid "Base"
msgstr ""
#. module: web_widget_open_tab
#. odoo-javascript
#: code:addons/web_widget_open_tab/static/src/js/open_tab_widget.esm.js:0
#, python-format
msgid "Click to open on new tab"
msgstr ""
#. module: web_widget_open_tab
#: model:ir.model,name:web_widget_open_tab.model_ir_model
msgid "Models"
msgstr ""
#. module: web_widget_open_tab
#. odoo-javascript
#: code:addons/web_widget_open_tab/static/src/js/open_tab_widget.esm.js:0
#, python-format
msgid "Open Tab"
msgstr ""
#, python-format
#~ msgid "Click in order to open on new tab"
#~ msgstr "Feu clic per obrir la pestanya nova"
#, python-format
#~ msgid "Widget"
#~ msgstr "Widget"
| OCA/web/web_widget_open_tab/i18n/ca.po/0 | {
"file_path": "OCA/web/web_widget_open_tab/i18n/ca.po",
"repo_id": "OCA",
"token_count": 653
} | 100 |
/** @odoo-module */
import {registry} from "@web/core/registry";
import {standardFieldProps} from "@web/views/fields/standard_field_props";
import {_lt} from "@web/core/l10n/translation";
import {Component} from "@odoo/owl";
export class OpenTabWidget extends Component {
openNewTab(ev) {
ev.stopPropagation();
}
_getReference() {
var url = window.location.href;
var searchParams = new URLSearchParams(url.split("#")[1]);
searchParams.set("view_type", "form");
searchParams.set("id", this.props.value);
if (
!searchParams.has("model") ||
searchParams.get("model") !== this.props.record.resModel
) {
searchParams.set("model", this.props.record.resModel);
searchParams.delete("action");
}
return url.split("#")[0] + "#" + searchParams.toString();
}
loadAttrs(ev) {
$(ev.target).tooltip();
}
}
OpenTabWidget.template = "web_widget_open_tab.openTab";
OpenTabWidget.props = {
...standardFieldProps,
title: {type: String, optional: true},
};
OpenTabWidget.displayName = _lt("Open Tab");
OpenTabWidget.supportedTypes = ["integer"];
OpenTabWidget.extractProps = () => {
return {
title: _lt("Click to open on new tab"),
};
};
registry.category("fields").add("open_tab", OpenTabWidget);
| OCA/web/web_widget_open_tab/static/src/js/open_tab_widget.esm.js/0 | {
"file_path": "OCA/web/web_widget_open_tab/static/src/js/open_tab_widget.esm.js",
"repo_id": "OCA",
"token_count": 565
} | 101 |
To insert a Plotly chart in a view proceed as follows:
#. Declare a text computed field like this::
plotly_chart = fields.Text(
string='Plotly Chart',
compute='_compute_plotly_chart',
)
#. In its computed method do::
def _compute_plotly_chart(self):
for rec in self:
data = [{'x': [1, 2, 3], 'y': [2, 3, 4]}]
rec.plotly_chart = plotly.offline.plot(data,
include_plotlyjs=False,
output_type='div')
#. In the view, add something like this wherever you want to display your
plotly chart::
<div>
<field name="plotly_chart" widget="plotly_chart" nolabel="1"/>
</div>
| OCA/web/web_widget_plotly_chart/readme/USAGE.rst/0 | {
"file_path": "OCA/web/web_widget_plotly_chart/readme/USAGE.rst",
"repo_id": "OCA",
"token_count": 348
} | 102 |
# Translation of Odoo Server.
# This file contains the translation of the following modules:
# * web_widget_x2many_2d_matrix
#
# Translators:
msgid ""
msgstr ""
"Project-Id-Version: web (8.0)\n"
"Report-Msgid-Bugs-To: \n"
"POT-Creation-Date: 2016-03-17 07:30+0000\n"
"PO-Revision-Date: 2023-11-27 11:33+0000\n"
"Last-Translator: mymage <stefano.consolaro@mymage.it>\n"
"Language-Team: Italian (http://www.transifex.com/oca/OCA-web-8-0/language/it/"
")\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_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 "Niente da visualizzare."
#, python-format
#~ msgid "Sorry no matrix data to display."
#~ msgstr "Spiacenti, nessun dato da visualizzare."
#, python-format
#~ msgid "Sum"
#~ msgstr "Somma"
#, python-format
#~ msgid "Sum Total"
#~ msgstr "Totale"
| OCA/web/web_widget_x2many_2d_matrix/i18n/it.po/0 | {
"file_path": "OCA/web/web_widget_x2many_2d_matrix/i18n/it.po",
"repo_id": "OCA",
"token_count": 486
} | 103 |
# 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 histogram view on the Bug page.
#
class root.Histogram
# Creates a new manager.
#
# @param [jQuery object] element The element to render the histogram into.
# @param [String] url The URL to fetch histogram results from.
constructor: (@element, @url) ->
this.load()
# Loads and renders histogram results.
#
load: ->
this.setNote "Loading…"
$.ajax @url,
type: 'GET',
success: (data) =>
this.setNote()
if data.occurrences.length == 0
this.setNote("No recent occurrences")
return
plot = $.plot @element, [data.occurrences],
series:
bars: {show: true}
xaxis:
mode: 'time'
timeformat: '%Y/%m/%d %H:%M'
tickLength: 5
yaxis:
tickDecimals: 0
grid:
markings: ({color: '#00b', lineWidth: 1, xaxis: {from: deploy.deployed_at, to: deploy.deployed_at}} for deploy in data.deploys)
borderWidth: 1
borderColor: 'gray'
for deploy in data.deploys
do (deploy) =>
offset = plot.pointOffset(x: deploy.deployed_at, y: 0)
$('<div/>').
addClass('deploy-tooltip').
css('left', "#{offset.left - 1}px").
attr('title', deploy.revision[0..6]).
click(-> window.open(deploy.url)).
appendTo(@element).
tooltip()
error: => this.setNote("Couldn’t load occurrence history ☹")
# Sets or removes a note that appears in lieu of the histogram.
#
# @param [String, null] note The note to set. If `null`, removes the note.
setNote: (note=null) ->
@element.empty()
$('<p/>').text(note).addClass('note').appendTo @element if note
| SquareSquash/web/app/assets/javascripts/histogram.js.coffee/0 | {
"file_path": "SquareSquash/web/app/assets/javascripts/histogram.js.coffee",
"repo_id": "SquareSquash",
"token_count": 1005
} | 104 |
@import "vars";
body.accounts {
h1 img {
height: $h1-size;
vertical-align: bottom;
margin-right: 10px;
}
}
| SquareSquash/web/app/assets/stylesheets/accounts.css.scss/0 | {
"file_path": "SquareSquash/web/app/assets/stylesheets/accounts.css.scss",
"repo_id": "SquareSquash",
"token_count": 59
} | 105 |
# 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 a method to decorate {Event Events} with additional attributes before
# rendering them as XML or JSON.
module EventDecoration
protected
# Decorates an array of events. This method will use the `@project`,
# `@environment`, and `@bug` fields if set; otherwise it will use the
# associated objects on the event.
#
# @param [Array<Event>, ActiveRecord::Relation] events The events to decorate.
# @return [Array<Hash<Symbol, Object>>] The decorated attributes.
def decorate(events)
events.map do |event|
project = @project || event.bug.environment.project
environment = @environment || event.bug.environment
bug = @bug || event.bug
json = event.as_json.merge(
icon: icon_for_event(event),
user_url: event.user ? user_url(event.user) : nil,
assignee_url: event.assignee ? user_url(event.assignee) : nil,
occurrence_url: event.occurrence ? project_environment_bug_occurrence_url(project, environment, bug, event.occurrence) : nil,
comment_body: event.comment ? markdown.(event.comment.body) : nil,
revision_url: event.data['revision'] ? project.commit_url(event.data['revision']) : nil,
user_you: event.user_id == current_user.id,
assignee_you: event.data['assignee_id'] == current_user.id
)
json[:original_url] = project_environment_bug_url(project, environment, bug.duplicate_of) if event.kind == 'dupe' && bug.duplicate_of
json
end
end
private
def icon_for_event(event)
case event.kind
when 'assign' then 'user'
when 'comment' then 'comment'
when 'deploy' then 'truck'
when 'dupe' then 'copy'
when 'email' then 'envelope-o'
when 'open' then 'exclamation-circle'
when 'reopen' then 'warning-triangle'
when 'close'
case event.data['status']
when 'fixed' then 'check-circle'
when 'irrelevant' then 'minus-circle'
end
else 'question-circle'
end
end
end
| SquareSquash/web/app/controllers/additions/event_decoration.rb/0 | {
"file_path": "SquareSquash/web/app/controllers/additions/event_decoration.rb",
"repo_id": "SquareSquash",
"token_count": 991
} | 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.
require 'csv'
# Controller for working with a {Bug}'s {Occurrence Occurrences}.
#
# Common
# ======
#
# Path Parameters
# ---------------
#
# | | |
# |:-----------------|:-------------------------|
# | `project_id` | The {Project}'s slug. |
# | `environment_id` | The {Environment} name. |
# | `bug_id` | The Bug number (not ID). |
class OccurrencesController < ApplicationController
include ActionView::Helpers::NumberHelper
# A map of client library identifiers to those fields which are relevant
# enough to warrant being displayed in the {#index} table. All clients include
# the `number`, `occurred_at`, and `message` fields.
INDEX_FIELDS = {
'ruby' => [:host],
'rails' => [:host, :controller, :action],
'ios' => [:device_type, :operating_system, :version],
'cocoa' => [:device_type, :operating_system, :os_version, :version],
'java' => [:host],
'jetty' => [:host, :path],
'android' => [:device_type, :operating_system, :version]
}
INDEX_FIELDS.default = []
# Maximum number of records to load for aggregation.
MAX_AGGREGATED_RECORDS = 5000
before_filter :find_project
before_filter :find_environment
before_filter :find_bug
before_filter :find_occurrence, only: :show
respond_to :html, only: [:show, :count]
respond_to :json, :atom, only: :index
# Generally, displays a list of Occurrences.
#
# JSON
# ====
#
# Returns a infinitely scrollable list of Occurrences.
#
# Routes
# ------
#
# * `GET /projects/:project_id/environments/:environment_id/bugs/:bug_id/occurrences.json`
#
# Query Parameters
# ----------------
#
# | | |
# |:-------|:-----------------------------------------------------------------------------------------------------------------|
# | `last` | The number of the last Occurrence of the previous page; used to determine the start of the next page (optional). |
#
# Atom
# ====
#
# Returns a feed of the most recent Occurrences of a Bug.
#
# Routes
# ------
#
# * `GET /projects/:project_id/environments/:environment_id/bugs/:bug_id/occurrences.atom`
def index
respond_to do |format|
format.json do
dir = params[:dir]
dir = 'DESC' unless SORT_DIRECTIONS.include?(dir.try!(:upcase))
@occurrences = @bug.occurrences.order("occurred_at #{dir}").limit(50)
last = params[:last].present? ? @bug.occurrences.find_by_number(params[:last]) : nil
@occurrences = @occurrences.where(infinite_scroll_clause('occurred_at', dir, last, 'occurrences.number')) if last
render json: decorate(@occurrences)
end
format.atom { @occurrences = @bug.occurrences.order('occurred_at DESC').limit(100) } # index.atom.builder
end
end
# Returns aggregate information about Occurrences across up to four
# dimensions. Values are aggregated by time and partitioned by dimension value
# combinations.
#
# A time range must be specified. Regardless of the time range, only up to a
# maximum of {MAX_AGGREGATED_RECORDS} is loaded.
#
# Routes
# ------
#
# * `GET /projects/:project_id/environments/:environment_id/bugs/:bug_id/occurrences/aggregate.json`
#
# Query Parameters
# ----------------
#
# | | |
# |:-------------|:-----------------------------------------------------------------------------------------------------------|
# | `dimensions` | A parameterized array of up to four dimensions. All must be {Occurrence::AGGREGATING_FIELDS valid fields}. |
# | `size` | The number of buckets (and thus, the time range). |
# | `step` | The time interval to bucket results by (milliseconds). |
def aggregate
dimensions = Array.wrap(params[:dimensions]).reject(&:blank?)
dimensions.uniq!
return head(:unprocessable_entity) if dimensions.size > 4 || dimensions.any? { |d| !Occurrence::AGGREGATING_FIELDS.include?(d) }
if dimensions.empty?
return respond_to do |format|
format.json { render json: [].to_json }
end
end
dimensions.map!(&:to_sym)
occurrences = @bug.occurrences.
where("occurred_at >= ?", 30.days.ago).
order('occurred_at ASC').
limit(MAX_AGGREGATED_RECORDS)
# create a hash mapping dimension names to a hash mapping dimension values
# to a hash mapping timestmaps to the bucket count of that value in that
# time period:
#
# {
# 'operating_system' => {
# 'Mac OS X' => {
# <9/1 12 AM> => 12
# }
# }
# }
#
# In addition, build a hash of total occurrences for each time bucket:
#
# {
# 'operating_system' => {
# <9/1 12 AM> => 12
# }
# }
dimension_values = dimensions.inject({}) { |hsh, dim| hsh[dim] = {}; hsh }
totals = Hash.new(0)
top_values = dimensions.inject({}) { |hsh, dim| hsh[dim] = Hash.new(0); hsh }
occurrences.each do |occurrence|
time = occurrence.occurred_at.change(min: 0, sec: 0, usec: 0).to_i * 1000
dimensions.each do |dimension|
dimension_values[dimension][occurrence.send(dimension)] ||= Hash.new(0)
dimension_values[dimension][occurrence.send(dimension)][time] += 1
top_values[dimension][occurrence.send(dimension)] += 1
end
totals[time] += 1
end
top_values.each do |dimension, value_totals|
top_values[dimension] = value_totals.sort_by(&:last).reverse.map(&:first)[0, 5]
end
# convert it to a hash mapping dimension names to an array of hashes each
# with two keys: label (the value) and data (an array of points, x being the
# timestamp (ms) and y being the percentage of occurrences in that time
# bucket with that value):
#
# {
# 'operating_system' => [
# {label: 'Mac OS X', data: [[9/1 12 AM, 100%]]}
# ]
# }
dimension_values.each do |dim, values|
dimension_values[dim] = Array.new
values.each do |value, times|
next unless top_values[dim].include?(value)
series = {label: value, data: []}
dimension_values[dim] << series
totals.each do |time, total|
series[:data] << [time, total.zero? ? 0 : (times[time]/total.to_f)*100]
end
end
end
respond_to do |format|
format.json { render json: dimension_values.to_json }
end
end
def histogram
occurrences = @bug.occurrences.
where('occurred_at >= ?', 30.days.ago).
group("date_trunc('hour', occurred_at)").
count.map do |date, count|
[date.to_i * 1000, count]
end
occurrences.sort_by!(&:first)
if occurrences.empty?
deploys = Array.new
else
deploys = @environment.deploys.where('deployed_at >= ?', Time.at(occurrences.first.first/1000)).order('deployed_at DESC').limit(30)
end
respond_to do |format|
format.json { render json: {occurrences: occurrences, deploys: decorate_deploys(deploys)}.to_json }
end
end
# Displays a page with detailed information about an Occurrence.
#
# Routes
# ------
#
# * `GET /projects/:project_id/environments/:environment_id/bugs/:bug_id/occurrences/:id.json`
#
# Query Parameters
# ----------------
#
# | | |
# |:-----|:--------------------------------|
# | `id` | The Occurrence number (not ID). |
def show
respond_with @project, @environment, @bug
end
private
def find_occurrence
@occurrence = @bug.occurrences.find_by_number!(params[:id])
end
def decorate(occurrences)
occurrences.map do |occurrence|
occurrence.as_json(only: [:number, :occurred_at, :message], methods: INDEX_FIELDS[@bug.client]).merge(
href: project_environment_bug_occurrence_url(@project, @environment, @bug, occurrence)
)
end
end
def decorate_deploys(deploys)
deploys.map do |deploy|
{
deployed_at: deploy.deployed_at.to_i * 1000,
revision: deploy.revision,
url: @project.commit_url(deploy.revision),
id: deploy.id
}
end
end
end
| SquareSquash/web/app/controllers/occurrences_controller.rb/0 | {
"file_path": "SquareSquash/web/app/controllers/occurrences_controller.rb",
"repo_id": "SquareSquash",
"token_count": 3733
} | 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.
# The cached result of a `git-blame` operation. Some blamers use this table as a
# write-through cache of these results by means of {Blamer::Cache}.
#
# Properties
# ----------
#
# | | |
# |:------------------|:--------------------------------------------------------------------------------------|
# | `repository_hash` | The SHA1 hash of the URL of the Git repository where the operation was run. |
# | `revision` | The Git revision active at the time of the blame operation. |
# | `file` | The file on which the blame was run. |
# | `line` | The line in the file on which the blame was run. |
# | `blamed_revision` | The revision that most recently modified that file and line, on or before `revision`. |
class Blame < ActiveRecord::Base
validates :repository_hash, :revision, :blamed_revision,
presence: true,
length: {is: 40},
format: {with: /\A[0-9a-f]+\z/}
validates :file,
presence: true,
length: {maximum: 255}
validates :line,
presence: true,
numericality: {only_integer: true, greater_than: 0}
scope :for_project, ->(project) { where(repository_hash: project.repository_hash) }
end
| SquareSquash/web/app/models/blame.rb/0 | {
"file_path": "SquareSquash/web/app/models/blame.rb",
"repo_id": "SquareSquash",
"token_count": 853
} | 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.
require File.expand_path('../boot', __FILE__)
require 'rails/all'
# Require the gems listed in Gemfile, including any gems
# you've limited to :test, :development, or :production.
Bundler.require(*Rails.groups)
# Load preinitializers
Dir.glob(File.expand_path('../preinitializers/**/*.rb', __FILE__)).each { |f| require f }
module Squash
class Application < Rails::Application
# Settings in config/environments/* take precedence over those specified here.
# Application configuration should go into files in config/initializers
# -- all .rb files in that directory are automatically loaded.
# Custom directories with classes and modules you want to be autoloadable.
config.autoload_paths << config.root.join('app', 'models', 'additions')
config.autoload_paths << config.root.join('app', 'models', 'observers')
config.autoload_paths << config.root.join('app', 'controllers', 'additions')
config.autoload_paths << config.root.join('app', 'views', 'additions')
config.autoload_paths << config.root.join('lib')
config.autoload_paths << config.root.join('lib', 'workers')
# Activate observers that should always be running.
config.active_record.observers = :bug_observer, :comment_observer,
:event_observer, :watch_observer, :occurrence_observer, :deploy_observer
# Set Time.zone default to the specified zone and make Active Record auto-convert to this zone.
# Run "rake -D time" for a list of tasks for finding time zone names. Default is UTC.
config.time_zone = 'Pacific Time (US & Canada)'
# Use SQL instead of Active Record's schema dumper when creating the database.
# This is necessary if your schema can't be completely dumped by the schema dumper,
# like if you have constraints or database-specific column types
config.active_record.schema_format = :sql
# Do not swallow errors in after_commit/after_rollback callbacks.
config.active_record.raise_in_transactional_callbacks = true
# Use custom generators
config.generators do |g|
g.template_engine :erector
g.test_framework :rspec, fixture: true, views: false
g.integration_tool :rspec
g.fixture_replacement :factory_girl, dir: 'spec/factories'
end
# Configure allowed origins
config.middleware.use Rack::Cors do
allow do
origins *Squash::Configuration.dogfood.allowed_origins
resource '/api/1.0/notify', headers: :any, methods: [:post]
end
end
require config.root.join('app', 'middleware', 'ping')
if config.force_ssl
config.middleware.insert_before ActionDispatch::SSL, Ping
else
config.middleware.insert_before Rack::Runtime, Ping
end
end
end
require 'api/errors'
Sprockets.register_engine '.coffee', Squash::Javascript::SourceMappingCoffeescriptTemplate
| SquareSquash/web/config/application.rb/0 | {
"file_path": "SquareSquash/web/config/application.rb",
"repo_id": "SquareSquash",
"token_count": 1122
} | 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.
Rails.application.configure do
# Settings specified here will take precedence over those in config/application.rb.
# Code is not reloaded between requests.
config.cache_classes = true
# Eager load code on boot. This eager loads most of Rails and
# your application in memory, allowing both threaded web servers
# and those relying on copy on write to perform better.
# Rake tasks automatically ignore this option for performance.
config.eager_load = true
# Full error reports are disabled and caching is turned on.
config.consider_all_requests_local = false
config.action_controller.perform_caching = true
# Enable Rack::Cache to put a simple HTTP cache in front of your application
# Add `rack-cache` to your Gemfile before enabling this.
# For large-scale production use, consider using a caching reverse proxy like
# NGINX, varnish or squid.
# config.action_dispatch.rack_cache = true
# Disable serving static files from the `/public` folder by default since
# Apache or NGINX already handles this.
config.serve_static_files = ENV['RAILS_SERVE_STATIC_FILES'].present?
# Compress JavaScripts and CSS.
config.assets.js_compressor = Squash::Javascript::SourceMappingJavascriptMinifier
# config.assets.css_compressor = :sass
# Do not fallback to assets pipeline if a precompiled asset is missed.
config.assets.compile = false
# 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
# `config.assets.precompile` and `config.assets.version` have moved to config/initializers/assets.rb
# Specifies the header that your server uses for sending files.
# config.action_dispatch.x_sendfile_header = 'X-Sendfile' # for Apache
# config.action_dispatch.x_sendfile_header = 'X-Accel-Redirect' # for NGINX
# Force all access to the app over SSL, use Strict-Transport-Security, and use secure cookies.
# config.force_ssl = true
# Use the lowest log level to ensure availability of diagnostic information
# when problems arise.
config.log_level = :debug
# Prepend all log lines with the following tags.
# config.log_tags = [ :subdomain, :uuid ]
# Use a different logger for distributed setups.
# config.logger = ActiveSupport::TaggedLogging.new(SyslogLogger.new)
# Use a different cache store in production.
# config.cache_store = :mem_cache_store
# Enable serving of images, stylesheets, and JavaScripts from an asset server.
# config.action_controller.asset_host = 'http://assets.example.com'
# Ignore bad email addresses and do not raise email delivery errors.
# Set this to true and configure the email server for immediate delivery to raise delivery errors.
# config.action_mailer.raise_delivery_errors = false
# Enable locale fallbacks for I18n (makes lookups for any locale fall back to
# the I18n.default_locale when a translation cannot be found).
config.i18n.fallbacks = true
# Send deprecation notices to registered listeners.
config.active_support.deprecation = :notify
# Use default logging formatter so that PID and timestamp are not suppressed.
config.log_formatter = ::Logger::Formatter.new
# Do not dump schema after migrations.
config.active_record.dump_schema_after_migration = false
end
| SquareSquash/web/config/environments/production.rb/0 | {
"file_path": "SquareSquash/web/config/environments/production.rb",
"repo_id": "SquareSquash",
"token_count": 1373
} | 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.
# Configoro-Squash bridge. This file loads the Squash client configuration
# stored in the dogfood.yml files and uses it to configure Squash.
Squash::Ruby.configure Squash::Configuration.dogfood
# Auto-configure development dogfood
if defined?(Rails::Server)
run_server = begin
Rails.env.development? && (project = Project.find_from_slug('squash'))
rescue ActiveRecord::StatementInvalid
false
end
if run_server
# Create a thread that listens on port 3001 and just proxies requests back
# to port 3000. This allows Squash to send notifications to itself during
# the course of processing a request without having to be concurrent.
#TODO this is a pretty hacky way of discovering the port
$own_port = ARGV.join(' ').scan(/(?:-p|--port)(?:=|\s+)(\d+)/).first.try!(:first).try!(:to_i) || 3000
$self_notify_port = $own_port + 1
Thread.new do
server = TCPServer.new($self_notify_port)
loop do
Thread.start(server.accept) do |from|
request = Array.new
while (line = from.gets).present?
request << line.chomp
end
length = request.detect { |l| l.start_with?('Content-Length: ') }.try!(:gsub, /[^0-9]/, '').try!(:to_i)
if length && length > 0
request << ''
request << from.read(length)
end
if request.first.starts_with?('OPTIONS')
from.puts "HTTP/1.1 200 OK"
from.puts "Date: #{Time.now.to_s}"
from.puts "Allow: OPTIONS, GET, POST"
from.puts "Access-Control-Allow-Origin: http://localhost:#{$own_port}"
from.puts "Access-Control-Allow-Methods: POST, GET, OPTIONS"
from.puts "Access-Control-Allow-Headers: origin, content-type, x-category"
else
from.puts "HTTP/1.1 200 OK"
from.puts "Date: #{Time.now.to_s}"
from.puts "Access-Control-Allow-Origin: http://localhost:#{$own_port}"
from.puts "Access-Control-Allow-Methods: POST, GET, OPTIONS"
from.puts "Access-Control-Allow-Headers: origin, content-type, x-category"
end
from.puts
from.close
unless request.first.starts_with?('OPTIONS')
to = TCPSocket.new('localhost', $own_port)
request.each { |line| to.puts line }
to.close
end
end
end
end
puts "Running self-notify proxy on port #{$self_notify_port}"
# Set configuration options
Squash::Ruby.configure api_key: project.api_key,
api_host: "http://localhost:#{$self_notify_port}",
disabled: false
elsif Rails.env.development?
puts "Note: Add a 'Squash' project in development to enable self-notification"
end
end
| SquareSquash/web/config/initializers/dogfood.rb/0 | {
"file_path": "SquareSquash/web/config/initializers/dogfood.rb",
"repo_id": "SquareSquash",
"token_count": 1405
} | 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.
# This file should contain all the record creation needed to seed the database with its default values.
# The data can then be loaded with the rake db:seed (or created alongside the db with db:setup).
#
# Examples:
#
# cities = City.create([{ :name => 'Chicago' }, { :name => 'Copenhagen' }])
# Mayor.create(:name => 'Emanuel', :city => cities.first)
| SquareSquash/web/db/seeds.rb/0 | {
"file_path": "SquareSquash/web/db/seeds.rb",
"repo_id": "SquareSquash",
"token_count": 282
} | 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.
root = exports ? this
# A manager that renders and displays the Value Inspector, a modal dialog that
# allows the user to inspect objects in a language-independent way. The Value
# Inspector displays multiple representations of an object (such as YAML or
# JSON). The JSON representation appears as a hierarchical list that can be
# navigated through.
#
# Use the `$(...).valueInspector()` method rather than this object's
# constructor.
#
class root.ValueInspector
# @private
constructor: (@element) ->
@object = @element.data('object')
if typeof @object == 'string'
@element.append(@object.slice(0, 50) + '…')
$('<br/>').appendTo @element
@object = { to_s: @object }
$('<i/>').addClass('fa fa-search').appendTo @element
$('<a/>').text("View in Value Inspector").appendTo(@element).click =>
this.show()
false
# Displays the Value Inspector modal.
#
show: ->
unless @inspector?
@inspector = this.build()
@inspector.find('ul.pills>li:first-child a').click()
@inspector.showModal
closeButton: '.close'
# @private
build: ->
modal = $('<div/>').addClass('modal value-inspector').appendTo($('body'))
$('<a/>').addClass('close').text("×").appendTo modal
$('<h1/>').text("Value Inspector").appendTo modal
body = $('<div/>').addClass('modal-body').appendTo(modal)
tabs = $('<ul/>').addClass('pills').appendTo(body)
tab_content = $('<div/>').addClass('tab-content').appendTo(body)
if @object.json
$('<li/>').append($('<a/>').addClass('json').text('JSON')).appendTo tabs
json_tab = $('<div/>').addClass('json').appendTo(tab_content)
this.buildJSON json_tab
if @object.yaml
$('<li/>').append($('<a/>').addClass('yaml').text('YAML')).appendTo tabs
yaml_tab = $('<div/>').addClass('yaml').appendTo(tab_content)
this.buildYAML yaml_tab
if @object.keyed_archiver
$('<li/>').append($('<a/>').addClass('keyed_archiver').text('NSKeyedArchiver')).appendTo tabs
archive_tab = $('<div/>').addClass('keyed_archiver').appendTo(tab_content)
this.buildKeyedArchiver archive_tab
if @object.inspect
$('<li/>').append($('<a/>').addClass('inspect').text('#inspect')).appendTo tabs
inspect_tab = $('<div/>').addClass('inspect').appendTo(tab_content)
this.buildInspect inspect_tab
if @object.to_s
$('<li/>').append($('<a/>').addClass('to_s').text('#to_s')).appendTo tabs
to_s_tab = $('<div/>').addClass('to_s').appendTo(tab_content)
this.buildToS to_s_tab
if @object.description
$('<li/>').append($('<a/>').addClass('description').text('[-description]')).appendTo tabs
description_tab = $('<div/>').addClass('description').appendTo(tab_content)
this.buildDescription description_tab
tabs.find('a').click (e) =>
target = $(e.currentTarget)
this.activateTab target.parent(), tab_content.find(".#{target.attr('class')}")
modal
# @private
buildWrapCheckbox: (tab, code) ->
label = $('<label/>').text(" Soft wrapping").appendTo(tab)
$('<input/>').attr(type: 'checkbox', name: 'wrap').prependTo(label).change (e) ->
if e.target.checked then code.removeClass('nowrap') else code.addClass('nowrap')
# @private
buildJSON: (tab) ->
try
this.buildJSONFields(JSON.parse(@object.json), true).appendTo tab
catch error
tab.append "JSON parse error: #{error}."
# @private
buildYAML: (tab) ->
code = $('<pre/>').addClass('brush: yaml').text(@object.yaml).appendTo(tab)
SyntaxHighlighter.highlight {}, code[0]
# @private
buildKeyedArchiver: (tab) ->
code = $('<pre/>').addClass('brush: xml').text(@object.keyed_archiver).appendTo(tab)
SyntaxHighlighter.highlight {}, code[0]
# @private
buildInspect: (tab) ->
code = $('<pre/>').addClass('nowrap scrollable').text(@object.inspect).appendTo(tab)
this.buildWrapCheckbox tab, code
# @private
buildToS: (tab) ->
code = $('<pre/>').addClass('nowrap scrollable').text(@object.to_s).appendTo(tab)
this.buildWrapCheckbox tab, code
# @private
buildDescription: (tab) ->
code = $('<pre/>').addClass('nowrap scrollable').text(@object.description).appendTo(tab)
this.buildWrapCheckbox tab, code
# @private
buildJSONFields: (object, open=false) ->
if object && typeof object == 'object'
details = $('<details/>')
if open then details.data('open', 'open')
$('<summary/>').text(object.constructor.toString().match(/^function (\w+)/)[1]).appendTo details
table = $('<table/>').appendTo(details)
for name, value of object
do (name, value) =>
tr = $('<tr/>').appendTo(table)
$('<td/>').append($('<tt />').text(name)).appendTo tr
$('<td/>').append(this.buildJSONFields(value)).appendTo tr
details
else
$('<span/>').text(if typeof object == 'undefined' then 'undefined' else if typeof object == 'object' then 'null' else object.toString())
# @private
activateTab: (tab, pane) ->
@inspector.find('ul.pills>li').removeClass 'active'
tab.addClass 'active'
@inspector.find('.tab-content>div').removeClass('active')
pane.addClass 'active'
# Creates a Value Inspector for an object. The receiver should have a
# `data-object` attribute containing the JSON-serialized object prepared for
# the Value Inspector. (This is a JSON hash consisting of at least a `to_s` key
# plus keys for whatever other representations are available.)
#
# Along with creating the (initially hidden) modal, this method will append a
# "View in Value Inspector" link to the receiver. If the object is a string, it
# will also be appended. Long strings will be truncated with an ellipsis.
#
# @return [ValueInspector] The Value Inspector manager.
#
jQuery.fn.valueInspector = ->
for tag in this
do (tag) ->
new ValueInspector($(tag))
| SquareSquash/web/lib/assets/javascripts/value_inspector.js.coffee/0 | {
"file_path": "SquareSquash/web/lib/assets/javascripts/value_inspector.js.coffee",
"repo_id": "SquareSquash",
"token_count": 2384
} | 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.
module Blamer
# This blamer uses the recency of the commit that most recently modified a
# given stack trace element to determine how likely that line is to be at
# fault.
#
# Matching to a Bug
# -----------------
#
# In order to match an Occurrence to a Bug, the line number of the backtrace
# that is at fault must first be determined. This is done probabilistically, by
# assigning a score to each line of the backtrace and picking the line with
# the highest score. Currently, the factors that influence a line's score are
#
# * the "height" of that line in the backtrace, and
# * the age of the commit that most recently modified that line.
#
# The highest-scoring file and line number are termed the **relevant file** and
# **relevant line**.
#
# An Occurrence is matched to a Bug using three mandatory criteria:
#
# * the relevant file path,
# * the relevant line number, and
# * the class name of the raised exception.
#
# In addition, if a "blamed" commit is available for the relevant file and line,
# the bug is matched on that commit ID as well. Note that the exception message
# is _not_ included in the search criteria.
#
# While each Occurrence maintains the original exception message, the Bug
# filters the exception message to remove occurrence-specific information. There
# are two ways of filtering exception messages:
#
# * If the exception can be filtered using {MessageTemplateMatcher}, that
# filtered message is used.
# * Otherwise, a general search-and-replace is used to replace likely
# occurrence-specific information (like numbers, inspect values, etc.) with
# placeholders.
#
# All placeholders take the form "[ALL CAPS IN BRACKETS]" so that the view can
# recognize them as such and format them appropriately.
class Recency < Base
def self.resolve_revision(project, revision)
commit = project.repo.object(revision)
if commit.nil?
project.repo(&:fetch)
commit = project.repo.object(revision)
end
raise "Unknown revision" unless commit
commit.sha
end
protected
def bug_search_criteria
commit = occurrence.commit || deploy.try!(:commit)
raise "Need a resolvable commit" unless commit
file, line, commit = blamed_revision(commit)
{
class_name: occurrence.bug.class_name,
file: file,
line: line,
blamed_revision: commit.try!(:sha)
}
end
private
def blamed_revision(occurrence_commit)
# first, strip irrelevant lines from the backtrace.
backtrace = occurrence.faulted_backtrace.select { |elem| elem['type'].nil? }
backtrace.select! { |elem| project.path_type(elem['file']) == :project }
backtrace.reject! { |elem| elem['line'].nil? }
if backtrace.empty? # no project files in the trace; just use the top library file
file, line = file_and_line_for_bt_element(occurrence.faulted_backtrace.first)
return file, line, nil
end
# collect the blamed commits for each line
backtrace.map! do |elem|
commit = Blamer::Cache.instance.blame(project, occurrence_commit.sha, elem['file'], elem['line'])
[elem, commit]
end
top_element = backtrace.first
backtrace.reject! { |(_, commit)| commit.nil? }
if backtrace.empty? # no file has an associated commit; just use the top file
file, line = file_and_line_for_bt_element(top_element.first)
return file, line, nil
end
earliest_commit = backtrace.sort_by { |(_, commit)| commit.committer.date }.first.last
# now, for each line, assign a score consisting of different weighted factors
# indicating how likely it is that that line is to blame
backtrace.each_with_index do |line, index|
line << score_backtrace_line(index, backtrace.length, line.last.committer.date, occurrence_commit.date, earliest_commit.date)
end
element, commit, _ = backtrace.sort_by(&:last).last
file, line = file_and_line_for_bt_element(element)
return file, line, commit
end
def file_and_line_for_bt_element(element)
case element['type']
when nil
[element['file'], element['line']]
when 'obfuscated'
@special = true
[element['file'], element['line'].abs]
when 'js:hosted'
@special = true
[element['url'], element['line']]
when 'address'
@special = true #TODO not the best way of doing this
return "0x#{element['address'].to_s(16).rjust(8, '0').upcase}", 1
else
@special = true
return '(unknown)', 1
end
end
def score_backtrace_line(index, size, commit_date, latest_date, earliest_date)
height = (size-index)/size.to_f
recency = if commit_date && earliest_date
if latest_date - earliest_date == 0
0
else
1 - (latest_date - commit_date)/(latest_date - earliest_date)
end
else
0
end
0.5*height**2 + 0.5*recency #TODO determine better factors through experimentation
end
end
end
| SquareSquash/web/lib/blamer/recency.rb/0 | {
"file_path": "SquareSquash/web/lib/blamer/recency.rb",
"repo_id": "SquareSquash",
"token_count": 2172
} | 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.
STATS_DIRECTORIES = [
%w(Controllers app/controllers),
%w(Helpers app/helpers),
%w(Models app/models),
%w(Libraries lib/),
%w(APIs app/apis),
%w(Library \ tests spec/lib),
%w(Controller\ tests spec/controllers),
%w(Model\ tests spec/models)
].collect { |name, dir| [name, "#{Rails.root}/#{dir}"] }.select { |name, dir| File.directory?(dir) }
desc "Report code statistics (KLOCs, etc) from the application"
task :stats do
require 'rails/code_statistics'
CodeStatistics::TEST_TYPES = ['Library tests', 'Controller tests', 'Model tests']
CodeStatistics.new(*STATS_DIRECTORIES).to_s
end
#TODO remove previous stats task
| SquareSquash/web/lib/tasks/statistics.rake/0 | {
"file_path": "SquareSquash/web/lib/tasks/statistics.rake",
"repo_id": "SquareSquash",
"token_count": 473
} | 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 AccountsController, type: :controller do
describe "#update" do
before :each do
@user = FactoryGirl.create(:user)
@attrs = {password: 'newpass', password_confirmation: 'newpass', first_name: 'NewFN', last_name: 'NewLN'}
end
it "should require a logged-in user" do
patch :update, user: @attrs
expect(response).to redirect_to(login_url(next: request.fullpath))
expect { @user.reload }.not_to change(@user, :first_name)
end
context '[authenticated]' do
before(:each) { login_as @user }
it "should update the user and redirect to the account page" do
patch :update, user: @attrs
expect(response).to redirect_to(account_url)
expect(@user.reload.first_name).to eql('NewFN')
expect(@user.last_name).to eql('NewLN')
expect(@user.authentic?('newpass')).to eql(true)
end
it "should render the account page on failure" do
patch :update, user: @attrs.merge(password_confirmation: 'oops')
expect(response).to render_template('show')
end
it "should not update the password if it's not provided" do
@user.reload
patch :update, user: @attrs.merge('password' => '')
expect { @user.reload }.not_to change(@user, :crypted_password)
end
end
end if Squash::Configuration.authentication.strategy == 'password'
end
| SquareSquash/web/spec/controllers/accounts_controller_spec.rb/0 | {
"file_path": "SquareSquash/web/spec/controllers/accounts_controller_spec.rb",
"repo_id": "SquareSquash",
"token_count": 738
} | 116 |
{
"version":3,
"file":"out.js",
"sourceRoot":"/Documents/Projects/SquareSquash/javascript",
"sources":["/Documents/Projects/SquareSquash/javascript/vendor/assets/foo.js", "/Documents/Projects/SquareSquash/javascript/vendor/assets/bar.js"],
"names":["src", "maps", "are", "fun"],
"mappings":"AAgBC,SAAQ,CAAEA"
}
| SquareSquash/web/spec/fixtures/mapping.json/0 | {
"file_path": "SquareSquash/web/spec/fixtures/mapping.json",
"repo_id": "SquareSquash",
"token_count": 131
} | 117 |
# 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 User, type: :model do
describe "#gravatar" do
it "should return the correct Gravatar URL" do
user = FactoryGirl.create(:user, username: 'gravatar-test')
Email.where(id: user.emails.first.id).update_all email: 'gravatar-test@example.com'
expect(user.reload.gravatar).to eql('http://www.gravatar.com/avatar/db77ada176df02f0a82b5655c95a2705')
end if Squash::Configuration.authentication.strategy == 'ldap'
it "should return the correct Gravatar URL" do
expect(FactoryGirl.create(:user, email_address: 'gravatar@example.com').gravatar).
to eql('http://www.gravatar.com/avatar/0cef130e32e054dd516c99e5181d30c4')
end if Squash::Configuration.authentication.strategy == 'password'
end
describe "#name" do
it "should return a user's full name" do
expect(FactoryGirl.create(:user).name).to eql("Sancho Sample")
end
it "should handle just a first name" do
expect(FactoryGirl.create(:user, last_name: nil).name).to eql("Sancho")
end
it "should handle just a last name" do
expect(FactoryGirl.create(:user, first_name: nil).name).to eql("Sample")
end
it "should return the username if no name is given" do
user = FactoryGirl.create(:user, first_name: nil, last_name: nil)
expect(user.name).to eql(user.username)
end
end
describe "#email" do
it "should return the user's corporate email address" do
expect(FactoryGirl.create(:user, username: 'email-test').email).to eql("email-test@#{Squash::Configuration.mailer.domain}")
end if Squash::Configuration.authentication.strategy == 'ldap'
it "should return the user's corporate email address" do
expect(FactoryGirl.create(:user, email_address: 'email-test@example.com').email).to eql("email-test@example.com")
end if Squash::Configuration.authentication.strategy == 'password'
end
describe "#distinguished_name" do
it "should return a user's LDAP DN" do
expect(FactoryGirl.create(:user, username: 'dn-test').distinguished_name).to eql("uid=dn-test,#{Squash::Configuration.authentication.ldap.tree_base}")
end
end if Squash::Configuration.authentication.strategy == 'ldap'
describe "#role" do
context "[Project]" do
before(:all) { @project = FactoryGirl.create(:project) }
before(:each) { @user = FactoryGirl.create(:user) }
it "should return :owner for a project owner" do
@project.update_attribute :owner, @user
expect(@user.role(@project)).to eql(:owner)
end
it "should return :admin for a project admin" do
FactoryGirl.create :membership, user: @user, project: @project, admin: true
expect(@user.role(@project)).to eql(:admin)
end
it "should return :member for a project member" do
FactoryGirl.create :membership, user: @user, project: @project, admin: false
expect(@user.role(@project)).to eql(:member)
end
it "should return nil otherwise" do
expect(@user.role(@project)).to be_nil
end
end
context "[Comment]" do
before(:all) { @comment = FactoryGirl.create(:comment) }
it "should return :creator for the comment creator" do
expect(@comment.user.role(@comment)).to eql(:creator)
end
it "should return :owner for a project owner" do
expect(@comment.bug.environment.project.owner.role(@comment)).to eql(:owner)
end
it "should return :admin for a project admin" do
membership = FactoryGirl.create(:membership, project: @comment.bug.environment.project, admin: true)
expect(membership.user.role(@comment)).to eql(:admin)
end
it "should return nil for a project member" do
membership = FactoryGirl.create(:membership, project: @comment.bug.environment.project, admin: false)
expect(membership.user.role(@comment)).to be_nil
end
it "should return nil otherwise" do
expect(FactoryGirl.create(:user).role(@comment)).to be_nil
end
end
end
context '[hooks]' do
it "should downcase the username" do
expect(FactoryGirl.create(:user, username: 'TestCase').username).to eql('testcase')
end
end
describe "#watches?" do
it "should return a Watch for a watched bug" do
watch = FactoryGirl.create(:watch)
expect(watch.user.watches?(watch.bug)).to eql(watch)
end
it "should return nil for an unwatched bug" do
expect(FactoryGirl.create(:user).watches?(FactoryGirl.create(:bug))).to be_nil
end
end
describe "#email" do
before :each do
@user = FactoryGirl.create(:user)
@email = FactoryGirl.create(:email, user: @user)
end
it "should return the primary email" do
expect(@user.email).to eql(@user.emails.where(primary: true).first.email)
end
end
describe "[primary email]" do
it "should automatically create one" do
user = FactoryGirl.create(:user, username: 'primary_email_test')
expect(user.emails.size).to eql(1)
expect(user.emails.first.email).to eql("primary_email_test@#{Squash::Configuration.mailer.domain}")
expect(user.emails.first).to be_primary
end if Squash::Configuration.authentication.strategy == 'ldap'
it "should automatically create one" do
user = FactoryGirl.create(:user, username: 'primary_email_test', email_address: 'primary@example.com')
expect(user.emails.size).to eql(1)
expect(user.emails.first.email).to eql("primary@example.com")
expect(user.emails.first).to be_primary
end if Squash::Configuration.authentication.strategy == 'password'
it "should require a unique email" do
FactoryGirl.create :user, email_address: 'taken@example.com'
user = FactoryGirl.build(:user, email_address: 'taken@example.com')
expect(user).not_to be_valid
expect(user.errors[:email_address]).to eql(['already taken'])
end if Squash::Configuration.authentication.strategy == 'password'
end
context "[password-based authentication]" do
it "should encrypt the user's password on save" do
expect(FactoryGirl.create(:user).crypted_password).not_to be_nil
end
describe "#authentic?" do
it "should return true for valid credentials and false for invalid credentials" do
user = FactoryGirl.create(:user, password: 'developers developers developers developers')
expect(user.authentic?('developers developers developers')).to eql(false)
expect(user.authentic?('developers developers developers developers')).to eql(true)
end
end
end if Squash::Configuration.authentication.strategy == 'password'
end
| SquareSquash/web/spec/models/user_spec.rb/0 | {
"file_path": "SquareSquash/web/spec/models/user_spec.rb",
"repo_id": "SquareSquash",
"token_count": 2608
} | 118 |
/* Plugin for jQuery for working with colors.
*
* Version 1.1.
*
* Inspiration from jQuery color animation plugin by John Resig.
*
* Released under the MIT license by Ole Laursen, October 2009.
*
* Examples:
*
* $.color.parse("#fff").scale('rgb', 0.25).add('a', -0.5).toString()
* var c = $.color.extract($("#mydiv"), 'background-color');
* console.log(c.r, c.g, c.b, c.a);
* $.color.make(100, 50, 25, 0.4).toString() // returns "rgba(100,50,25,0.4)"
*
* Note that .scale() and .add() return the same modified object
* instead of making a new one.
*
* V. 1.1: Fix error handling so e.g. parsing an empty string does
* produce a color rather than just crashing.
*/
(function($) {
$.color = {};
// construct color object with some convenient chainable helpers
$.color.make = function (r, g, b, a) {
var o = {};
o.r = r || 0;
o.g = g || 0;
o.b = b || 0;
o.a = a != null ? a : 1;
o.add = function (c, d) {
for (var i = 0; i < c.length; ++i)
o[c.charAt(i)] += d;
return o.normalize();
};
o.scale = function (c, f) {
for (var i = 0; i < c.length; ++i)
o[c.charAt(i)] *= f;
return o.normalize();
};
o.toString = function () {
if (o.a >= 1.0) {
return "rgb("+[o.r, o.g, o.b].join(",")+")";
} else {
return "rgba("+[o.r, o.g, o.b, o.a].join(",")+")";
}
};
o.normalize = function () {
function clamp(min, value, max) {
return value < min ? min: (value > max ? max: value);
}
o.r = clamp(0, parseInt(o.r), 255);
o.g = clamp(0, parseInt(o.g), 255);
o.b = clamp(0, parseInt(o.b), 255);
o.a = clamp(0, o.a, 1);
return o;
};
o.clone = function () {
return $.color.make(o.r, o.b, o.g, o.a);
};
return o.normalize();
}
// extract CSS color property from element, going up in the DOM
// if it's "transparent"
$.color.extract = function (elem, css) {
var c;
do {
c = elem.css(css).toLowerCase();
// keep going until we find an element that has color, or
// we hit the body
if (c != '' && c != 'transparent')
break;
elem = elem.parent();
} while (!$.nodeName(elem.get(0), "body"));
// catch Safari's way of signalling transparent
if (c == "rgba(0, 0, 0, 0)")
c = "transparent";
return $.color.parse(c);
}
// parse CSS color string (like "rgb(10, 32, 43)" or "#fff"),
// returns color object, if parsing failed, you get black (0, 0,
// 0) out
$.color.parse = function (str) {
var res, m = $.color.make;
// Look for rgb(num,num,num)
if (res = /rgb\(\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*\)/.exec(str))
return m(parseInt(res[1], 10), parseInt(res[2], 10), parseInt(res[3], 10));
// Look for rgba(num,num,num,num)
if (res = /rgba\(\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*,\s*([0-9]{1,3})\s*,\s*([0-9]+(?:\.[0-9]+)?)\s*\)/.exec(str))
return m(parseInt(res[1], 10), parseInt(res[2], 10), parseInt(res[3], 10), parseFloat(res[4]));
// Look for rgb(num%,num%,num%)
if (res = /rgb\(\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*\)/.exec(str))
return m(parseFloat(res[1])*2.55, parseFloat(res[2])*2.55, parseFloat(res[3])*2.55);
// Look for rgba(num%,num%,num%,num)
if (res = /rgba\(\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\%\s*,\s*([0-9]+(?:\.[0-9]+)?)\s*\)/.exec(str))
return m(parseFloat(res[1])*2.55, parseFloat(res[2])*2.55, parseFloat(res[3])*2.55, parseFloat(res[4]));
// Look for #a0b1c2
if (res = /#([a-fA-F0-9]{2})([a-fA-F0-9]{2})([a-fA-F0-9]{2})/.exec(str))
return m(parseInt(res[1], 16), parseInt(res[2], 16), parseInt(res[3], 16));
// Look for #fff
if (res = /#([a-fA-F0-9])([a-fA-F0-9])([a-fA-F0-9])/.exec(str))
return m(parseInt(res[1]+res[1], 16), parseInt(res[2]+res[2], 16), parseInt(res[3]+res[3], 16));
// Otherwise, we're most likely dealing with a named color
var name = $.trim(str).toLowerCase();
if (name == "transparent")
return m(255, 255, 255, 0);
else {
// default to black
res = lookupColors[name] || [0, 0, 0];
return m(res[0], res[1], res[2]);
}
}
var lookupColors = {
aqua:[0,255,255],
azure:[240,255,255],
beige:[245,245,220],
black:[0,0,0],
blue:[0,0,255],
brown:[165,42,42],
cyan:[0,255,255],
darkblue:[0,0,139],
darkcyan:[0,139,139],
darkgrey:[169,169,169],
darkgreen:[0,100,0],
darkkhaki:[189,183,107],
darkmagenta:[139,0,139],
darkolivegreen:[85,107,47],
darkorange:[255,140,0],
darkorchid:[153,50,204],
darkred:[139,0,0],
darksalmon:[233,150,122],
darkviolet:[148,0,211],
fuchsia:[255,0,255],
gold:[255,215,0],
green:[0,128,0],
indigo:[75,0,130],
khaki:[240,230,140],
lightblue:[173,216,230],
lightcyan:[224,255,255],
lightgreen:[144,238,144],
lightgrey:[211,211,211],
lightpink:[255,182,193],
lightyellow:[255,255,224],
lime:[0,255,0],
magenta:[255,0,255],
maroon:[128,0,0],
navy:[0,0,128],
olive:[128,128,0],
orange:[255,165,0],
pink:[255,192,203],
purple:[128,0,128],
violet:[128,0,128],
red:[255,0,0],
silver:[192,192,192],
white:[255,255,255],
yellow:[255,255,0]
};
})(jQuery);
| SquareSquash/web/vendor/assets/javascripts/flot/colorhelpers.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/flot/colorhelpers.js",
"repo_id": "SquareSquash",
"token_count": 3335
} | 119 |
// This code is based on leanModal by Ray Stone, which is distributed under the
// MIT license:
//
// Copyright (c) 2012 Ray Stone
//
// Permission is hereby granted, free of charge, to any person obtaining a copy
// of this software and associated documentation files (the "Software"), to deal
// in the Software without restriction, including without limitation the rights
// to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
// copies of the Software, and to permit persons to whom the Software is
// furnished to do so, subject to the following conditions:
//
// The above copyright notice and this permission notice shall be included in
// all copies or substantial portions of the Software.
//
// THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
// IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
// FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
// AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
// LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
// OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
// SOFTWARE.
//
// This modified version is sublicensed under the Apache License:
//
// Copyright 2012 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.
(function($) {
var close_modal = function(modal) {
$("#lean_overlay").fadeOut(200);
modal.css({ 'display': 'none' });
};
var showModal = function(modal, o) {
$("#lean_overlay").click(function() { close_modal(modal); });
$(o.closeButton).click(function() { close_modal(modal); });
var modal_height = modal.outerHeight();
var modal_width = modal.outerWidth();
$('#lean_overlay').css({ 'display': 'block', opacity: 0 });
$('#lean_overlay').fadeTo(200, o.overlay);
modal.css({
'display': 'block',
'position': 'fixed',
'opacity': 0,
'z-index': 11000,
'left': 50 + '%',
'margin-left': -(modal_width / 2) + "px",
'top': o.top + "px"
});
modal.fadeTo(200, 1);
};
$.fn.extend({
leanModal: function(options) {
var defaults = {
top: 100,
overlay: 0.5,
closeButton: null
};
var overlay = $("<div id='lean_overlay'></div>");
$("body").append(overlay);
options = $.extend(defaults, options);
return this.each(function() {
var o = options;
$(this).click(function(e) {
var modal_id = $(this).attr("href");
var modal = $(modal_id);
showModal(modal, o);
e.preventDefault();
});
});
},
showModal: function(options) {
var defaults = {
top: 100,
overlay: 0.5,
closeButton: null
};
var overlay = $("<div id='lean_overlay'></div>");
$("body").append(overlay);
options = $.extend(defaults, options);
showModal($(this), options);
}
});
})(jQuery);
| SquareSquash/web/vendor/assets/javascripts/jquery-leanModal.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/jquery-leanModal.js",
"repo_id": "SquareSquash",
"token_count": 1776
} | 120 |
/**
* SyntaxHighlighter
* http://alexgorbatchev.com/SyntaxHighlighter
*
* SyntaxHighlighter is donationware. If you are using it, please donate.
* http://alexgorbatchev.com/SyntaxHighlighter/donate.html
*
* @version
* 3.0.83 (Wed, 12 Feb 2014 03:42:24 GMT)
*
* @copyright
* Copyright (C) 2004-2013 Alex Gorbatchev.
*
* @license
* Dual licensed under the MIT and GPL licenses.
*/
;(function()
{
// CommonJS
SyntaxHighlighter = SyntaxHighlighter || (typeof require !== 'undefined'? require('shCore').SyntaxHighlighter : null);
function Brush()
{
var keywords = 'break case catch class continue ' +
'default delete do else enum export extends false ' +
'for function if implements import in instanceof ' +
'interface let new null package private protected ' +
'static return super switch ' +
'this throw true try typeof var while with yield';
var r = SyntaxHighlighter.regexLib;
this.regexList = [
{ regex: r.multiLineDoubleQuotedString, css: 'string' }, // double quoted strings
{ regex: r.multiLineSingleQuotedString, css: 'string' }, // single quoted strings
{ regex: r.singleLineCComments, css: 'comments' }, // one line comments
{ regex: r.multiLineCComments, css: 'comments' }, // multiline comments
{ regex: /\s*#.*/gm, css: 'preprocessor' }, // preprocessor tags like #region and #endregion
{ regex: new RegExp(this.getKeywords(keywords), 'gm'), css: 'keyword' } // keywords
];
this.forHtmlScript(r.scriptScriptTags);
};
Brush.prototype = new SyntaxHighlighter.Highlighter();
Brush.aliases = ['js', 'jscript', 'javascript', 'json'];
SyntaxHighlighter.brushes.JScript = Brush;
// CommonJS
typeof(exports) != 'undefined' ? exports.Brush = Brush : null;
})();
| SquareSquash/web/vendor/assets/javascripts/sh/shBrushJScript.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushJScript.js",
"repo_id": "SquareSquash",
"token_count": 652
} | 121 |
/**
* SyntaxHighlighter
* http://alexgorbatchev.com/SyntaxHighlighter
*
* SyntaxHighlighter is donationware. If you are using it, please donate.
* http://alexgorbatchev.com/SyntaxHighlighter/donate.html
*
* @version
* 3.0.83 (Wed, 12 Feb 2014 03:42:24 GMT)
*
* @copyright
* Copyright (C) 2004-2013 Alex Gorbatchev.
*
* @license
* Dual licensed under the MIT and GPL licenses.
*/
;(function()
{
// CommonJS
SyntaxHighlighter = SyntaxHighlighter || (typeof require !== 'undefined'? require('shCore').SyntaxHighlighter : null);
function Brush()
{
function process(match, regexInfo)
{
var constructor = SyntaxHighlighter.Match,
code = match[0],
tag = XRegExp.exec(code, XRegExp('(<|<)[\\s\\/\\?!]*(?<name>[:\\w-\\.]+)', 'xg')),
result = []
;
if (match.attributes != null)
{
var attributes,
pos = 0,
regex = XRegExp('(?<name> [\\w:.-]+)' +
'\\s*=\\s*' +
'(?<value> ".*?"|\'.*?\'|\\w+)',
'xg');
while ((attributes = XRegExp.exec(code, regex, pos)) != null)
{
result.push(new constructor(attributes.name, match.index + attributes.index, 'color1'));
result.push(new constructor(attributes.value, match.index + attributes.index + attributes[0].indexOf(attributes.value), 'string'));
pos = attributes.index + attributes[0].length;
}
}
if (tag != null)
result.push(
new constructor(tag.name, match.index + tag[0].indexOf(tag.name), 'keyword')
);
return result;
}
this.regexList = [
{ regex: XRegExp('(\\<|<)\\!\\[[\\w\\s]*?\\[(.|\\s)*?\\]\\](\\>|>)', 'gm'), css: 'color2' }, // <![ ... [ ... ]]>
{ regex: SyntaxHighlighter.regexLib.xmlComments, css: 'comments' }, // <!-- ... -->
{ regex: XRegExp('(<|<)[\\s\\/\\?!]*(\\w+)(?<attributes>.*?)[\\s\\/\\?]*(>|>)', 'sg'), func: process }
];
};
Brush.prototype = new SyntaxHighlighter.Highlighter();
Brush.aliases = ['xml', 'xhtml', 'xslt', 'html', 'plist'];
SyntaxHighlighter.brushes.Xml = Brush;
// CommonJS
typeof(exports) != 'undefined' ? exports.Brush = Brush : null;
})();
| SquareSquash/web/vendor/assets/javascripts/sh/shBrushXml.js/0 | {
"file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushXml.js",
"repo_id": "SquareSquash",
"token_count": 914
} | 122 |
/**
* 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{background-color:white !important;}
.syntaxhighlighter .line.alt1{background-color:white !important;}
.syntaxhighlighter .line.alt2{background-color:white !important;}
.syntaxhighlighter .line.highlighted.alt1,.syntaxhighlighter .line.highlighted.alt2{background-color:#e0e0e0 !important;}
.syntaxhighlighter .line.highlighted.number{color:black !important;}
.syntaxhighlighter table caption{color:black !important;}
.syntaxhighlighter table td.code .container textarea{background:white;color:black;}
.syntaxhighlighter .gutter{color:#afafaf !important;}
.syntaxhighlighter .gutter .line{border-right:3px solid #6ce26c !important;}
.syntaxhighlighter .gutter .line.highlighted{background-color:#6ce26c !important;color:white !important;}
.syntaxhighlighter.printing .line .content{border:none !important;}
.syntaxhighlighter.collapsed{overflow:visible !important;}
.syntaxhighlighter.collapsed .toolbar{color:blue !important;background:white !important;border:1px solid #6ce26c !important;}
.syntaxhighlighter.collapsed .toolbar a{color:blue !important;}
.syntaxhighlighter.collapsed .toolbar a:hover{color:red !important;}
.syntaxhighlighter .toolbar{color:white !important;background:#6ce26c !important;border:none !important;}
.syntaxhighlighter .toolbar a{color:white !important;}
.syntaxhighlighter .toolbar a:hover{color:black !important;}
.syntaxhighlighter .plain,.syntaxhighlighter .plain a{color:black !important;}
.syntaxhighlighter .comments,.syntaxhighlighter .comments a{color:#008200 !important;}
.syntaxhighlighter .string,.syntaxhighlighter .string a{color:blue !important;}
.syntaxhighlighter .keyword{color:#006699 !important;}
.syntaxhighlighter .preprocessor{color:grey !important;}
.syntaxhighlighter .variable{color:#aa7700 !important;}
.syntaxhighlighter .value{color:#009900 !important;}
.syntaxhighlighter .functions{color:deeppink !important;}
.syntaxhighlighter .constants{color:#0066cc !important;}
.syntaxhighlighter .script{font-weight:bold !important;color:#006699 !important;background-color:none !important;}
.syntaxhighlighter .color1,.syntaxhighlighter .color1 a{color:grey !important;}
.syntaxhighlighter .color2,.syntaxhighlighter .color2 a{color:deeppink !important;}
.syntaxhighlighter .color3,.syntaxhighlighter .color3 a{color:red !important;}
.syntaxhighlighter .keyword{font-weight:bold !important;}
| SquareSquash/web/vendor/assets/stylesheets/sh/shThemeDefault.css/0 | {
"file_path": "SquareSquash/web/vendor/assets/stylesheets/sh/shThemeDefault.css",
"repo_id": "SquareSquash",
"token_count": 898
} | 123 |
> **Archived**
>
> This repository is archived, please go to https://github.com/bitwarden/clients for future development.
<p align="center">
<img src="https://raw.githubusercontent.com/bitwarden/brand/master/screenshots/web-vault-macbook.png" alt="" width="600" height="358" />
</p>
<p align="center">
The Bitwarden web project is an Angular application that powers the web vault (https://vault.bitwarden.com/).
</p>
<p align="center">
<a href="https://github.com/bitwarden/web/actions?query=branch:master" target="_blank">
<img src="https://github.com/bitwarden/web/actions/workflows/build.yml/badge.svg?branch=master" alt="Github Workflow build on master" />
</a>
<a href="https://crowdin.com/project/bitwarden-web" target="_blank">
<img src="https://d322cqt584bo4o.cloudfront.net/bitwarden-web/localized.svg" alt="Crowdin" />
</a>
<a href="https://hub.docker.com/u/bitwarden/" target="_blank">
<img src="https://img.shields.io/docker/pulls/bitwarden/web.svg" alt="DockerHub" />
</a>
<a href="https://gitter.im/bitwarden/Lobby" target="_blank">
<img src="https://badges.gitter.im/bitwarden/Lobby.svg" alt="gitter chat" />
</a>
</p>
## Build/Run
### Requirements
- [Node.js](https://nodejs.org) v16.13.1 or greater
- NPM v8
### Run the app
For local development, run the app with:
```
npm install
npm run build:oss:watch
```
You can now access the web vault in your browser at `https://localhost:8080`.
If you want to point the development web vault to the production APIs, you can run using:
```
npm install
ENV=cloud npm run build:oss:watch
```
You can also manually adjusting your API endpoint settings by adding `config/local.json` overriding any of the following values:
```json
{
"dev": {
"proxyApi": "http://your-api-url",
"proxyIdentity": "http://your-identity-url",
"proxyEvents": "http://your-events-url",
"proxyNotifications": "http://your-notifications-url",
"allowedHosts": ["hostnames-to-allow-in-webpack"]
},
"urls": {}
}
```
Where the `urls` object is defined by the [Urls type in jslib](https://github.com/bitwarden/jslib/blob/master/common/src/abstractions/environment.service.ts).
## We're Hiring!
Interested in contributing in a big way? Consider joining our team! We're hiring for many positions. Please take a look at our [Careers page](https://bitwarden.com/careers/) to see what opportunities are currently open as well as what it's like to work at Bitwarden.
## Contribute
Code contributions are welcome! Please commit any pull requests against the `master` branch. Learn more about how to contribute by reading the [`CONTRIBUTING.md`](CONTRIBUTING.md) file.
Security audits and feedback are welcome. Please open an issue or email us privately if the report is sensitive in nature. You can read our security policy in the [`SECURITY.md`](SECURITY.md) file.
## Prettier
We recently migrated to using Prettier as code formatter. All previous branches will need to updated to avoid large merge conflicts using the following steps:
1. Check out your local Branch
2. Run `git merge 2b0a9d995e0147601ca8ae4778434a19354a60c2`
3. Resolve any merge conflicts, commit.
4. Run `npm run prettier`
5. Commit
6. Run `git merge -Xours 56477eb39cfd8a73c9920577d24d75fed36e2cf5`
7. Push
### Git blame
We also recommend that you configure git to ignore the prettier revision using:
```bash
git config blame.ignoreRevsFile .git-blame-ignore-revs
```
| bitwarden/web/README.md/0 | {
"file_path": "bitwarden/web/README.md",
"repo_id": "bitwarden",
"token_count": 1162
} | 124 |
<div class="page-header d-flex">
<h1>{{ "singleSignOn" | i18n }}</h1>
</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>
<form
#form
(ngSubmit)="submit()"
[formGroup]="ssoConfigForm"
[appApiAction]="formPromise"
*ngIf="!loading"
>
<p>
{{ "ssoPolicyHelpStart" | i18n }}
<a routerLink="../policies">{{ "ssoPolicyHelpLink" | i18n }}</a>
{{ "ssoPolicyHelpEnd" | i18n }}
<br />
{{ "ssoPolicyHelpKeyConnector" | i18n }}
</p>
<!-- Root form -->
<ng-container>
<app-input-checkbox
controlId="enabled"
[formControl]="enabled"
[label]="'allowSso' | i18n"
[helperText]="'allowSsoDesc' | i18n"
></app-input-checkbox>
<div class="form-group">
<label>{{ "memberDecryptionOption" | i18n }}</label>
<div class="form-check form-check-block">
<input
class="form-check-input"
type="radio"
id="memberDecryptionPass"
[value]="false"
formControlName="keyConnectorEnabled"
/>
<label class="form-check-label" for="memberDecryptionPass">
{{ "masterPass" | i18n }}
<small>{{ "memberDecryptionPassDesc" | i18n }}</small>
</label>
</div>
<div class="form-check mt-2 form-check-block">
<input
class="form-check-input"
type="radio"
id="memberDecryptionKey"
[value]="true"
formControlName="keyConnectorEnabled"
[attr.disabled]="!organization.useKeyConnector || null"
/>
<label class="form-check-label" for="memberDecryptionKey">
{{ "keyConnector" | i18n }}
<a
target="_blank"
rel="noopener"
appA11yTitle="{{ 'learnMore' | i18n }}"
href="https://bitwarden.com/help/about-key-connector/"
>
<i class="bwi bwi-question-circle" aria-hidden="true"></i>
</a>
<small>{{ "memberDecryptionKeyConnectorDesc" | i18n }}</small>
</label>
</div>
</div>
<!-- Key Connector -->
<ng-container *ngIf="ssoConfigForm.get('keyConnectorEnabled').value">
<app-callout type="warning" [useAlertRole]="true">
{{ "keyConnectorWarning" | i18n }}
</app-callout>
<div class="form-group">
<label for="keyConnectorUrl">
{{ "keyConnectorUrl" | i18n }}
<small class="text-muted form-text d-inline">({{ "required" | i18n }})</small>
</label>
<div class="input-group">
<input
class="form-control"
formControlName="keyConnectorUrl"
id="keyConnectorUrl"
aria-describedby="keyConnectorUrlDesc"
(change)="haveTestedKeyConnector = false"
appInputStripSpaces
appA11yInvalid
/>
<div class="input-group-append">
<button
type="button"
class="btn btn-outline-secondary"
(click)="validateKeyConnectorUrl()"
[disabled]="!enableTestKeyConnector"
>
<i
class="bwi bwi-spinner bwi-spin"
title="{{ 'loading' | i18n }}"
aria-hidden="true"
*ngIf="keyConnectorUrl.pending"
></i>
<span *ngIf="!keyConnectorUrl.pending">
{{ "keyConnectorTest" | i18n }}
</span>
</button>
</div>
</div>
<div *ngIf="haveTestedKeyConnector" id="keyConnectorUrlDesc" aria-live="polite">
<small
class="error-inline"
*ngIf="keyConnectorUrl.hasError('invalidUrl'); else keyConnectorSuccess"
>
<i class="bwi bwi-exclamation-circle" aria-hidden="true"></i>
<span class="sr-only">{{ "error" | i18n }}:</span>
{{ "keyConnectorTestFail" | i18n }}
</small>
<ng-template #keyConnectorSuccess>
<small class="text-success">
<i class="bwi bwi-check-circle" aria-hidden="true"></i>
{{ "keyConnectorTestSuccess" | i18n }}
</small>
</ng-template>
</div>
</div>
</ng-container>
<app-select
controlId="type"
[label]="'type' | i18n"
[selectOptions]="ssoTypeOptions"
formControlName="configType"
>
</app-select>
</ng-container>
<!-- OIDC -->
<div
*ngIf="ssoConfigForm.get('configType').value === ssoType.OpenIdConnect"
[formGroup]="openIdForm"
>
<div class="config-section">
<h2 class="secondary-header">{{ "openIdConnectConfig" | i18n }}</h2>
<app-input-text-readonly
[label]="'callbackPath' | i18n"
[controlValue]="callbackPath"
></app-input-text-readonly>
<app-input-text-readonly
[label]="'signedOutCallbackPath' | i18n"
[controlValue]="signedOutCallbackPath"
></app-input-text-readonly>
<app-input-text
[label]="'authority' | i18n"
controlId="authority"
[stripSpaces]="true"
formControlName="authority"
></app-input-text>
<app-input-text
[label]="'clientId' | i18n"
controlId="clientId"
[stripSpaces]="true"
formControlName="clientId"
></app-input-text>
<app-input-text
[label]="'clientSecret' | i18n"
controlId="clientSecret"
[stripSpaces]="true"
formControlName="clientSecret"
></app-input-text>
<app-input-text
[label]="'metadataAddress' | i18n"
controlId="metadataAddress"
[stripSpaces]="true"
[helperText]="'openIdAuthorityRequired' | i18n"
formControlName="metadataAddress"
></app-input-text>
<app-select
controlId="redirectBehavior"
[label]="'oidcRedirectBehavior' | i18n"
[selectOptions]="connectRedirectOptions"
formControlName="redirectBehavior"
>
</app-select>
<app-input-checkbox
controlId="getClaimsFromUserInfoEndpoint"
formControlName="getClaimsFromUserInfoEndpoint"
[label]="'getClaimsFromUserInfoEndpoint' | i18n"
></app-input-checkbox>
<!-- Optional customizations -->
<div
class="section-header d-flex flex-row align-items-center mt-3 mb-3"
(click)="toggleOpenIdCustomizations()"
>
<h3 class="mb-0 mr-2" id="customizations-header">
{{ "openIdOptionalCustomizations" | i18n }}
</h3>
<button
class="mb-1 btn btn-link"
type="button"
appStopClick
role="button"
aria-controls="customizations"
[attr.aria-expanded]="showOpenIdCustomizations"
aria-labelledby="customizations-header"
>
<i
class="bwi"
aria-hidden="true"
[ngClass]="{
'bwi-angle-down': !showOpenIdCustomizations,
'bwi-chevron-up': showOpenIdCustomizations
}"
></i>
</button>
</div>
<div id="customizations" [hidden]="!showOpenIdCustomizations">
<app-input-text
[label]="'additionalScopes' | i18n"
controlId="additionalScopes"
[helperText]="'separateMultipleWithComma' | i18n"
formControlName="additionalScopes"
></app-input-text>
<app-input-text
[label]="'additionalUserIdClaimTypes' | i18n"
controlId="additionalUserIdClaimTypes"
[helperText]="'separateMultipleWithComma' | i18n"
formControlName="additionalUserIdClaimTypes"
></app-input-text>
<app-input-text
[label]="'additionalEmailClaimTypes' | i18n"
controlId="additionalEmailClaimTypes"
[helperText]="'separateMultipleWithComma' | i18n"
formControlName="additionalEmailClaimTypes"
></app-input-text>
<app-input-text
[label]="'additionalNameClaimTypes' | i18n"
controlId="additionalNameClaimTypes"
[helperText]="'separateMultipleWithComma' | i18n"
formControlName="additionalNameClaimTypes"
></app-input-text>
<app-input-text
[label]="'acrValues' | i18n"
controlId="acrValues"
helperText="acr_values"
formControlName="acrValues"
></app-input-text>
<app-input-text
[label]="'expectedReturnAcrValue' | i18n"
controlId="expectedReturnAcrValue"
helperText="acr_validation"
formControlName="expectedReturnAcrValue"
></app-input-text>
</div>
</div>
</div>
<!-- SAML2 SP -->
<div *ngIf="ssoConfigForm.get('configType').value === ssoType.Saml2" [formGroup]="samlForm">
<!-- SAML2 SP -->
<div class="config-section">
<h2 class="secondary-header">{{ "samlSpConfig" | i18n }}</h2>
<app-input-text-readonly
[label]="'spEntityId' | i18n"
[controlValue]="spEntityId"
></app-input-text-readonly>
<app-input-text-readonly
[label]="'spMetadataUrl' | i18n"
[controlValue]="spMetadataUrl"
[showLaunch]="true"
></app-input-text-readonly>
<app-input-text-readonly
[label]="'spAcsUrl' | i18n"
[controlValue]="spAcsUrl"
></app-input-text-readonly>
<app-select
controlId="spNameIdFormat"
[label]="'spNameIdFormat' | i18n"
[selectOptions]="saml2NameIdFormatOptions"
formControlName="spNameIdFormat"
>
</app-select>
<app-select
controlId="spOutboundSigningAlgorithm"
[label]="'spOutboundSigningAlgorithm' | i18n"
[selectOptions]="samlSigningAlgorithmOptions"
formControlName="spOutboundSigningAlgorithm"
>
</app-select>
<app-select
controlId="spSigningBehavior"
[label]="'spSigningBehavior' | i18n"
[selectOptions]="saml2SigningBehaviourOptions"
formControlName="spSigningBehavior"
>
</app-select>
<app-select
controlId="spMinIncomingSigningAlgorithm"
[label]="'spMinIncomingSigningAlgorithm' | i18n"
[selectOptions]="samlSigningAlgorithmOptions"
formControlName="spMinIncomingSigningAlgorithm"
>
</app-select>
<app-input-checkbox
controlId="spWantAssertionsSigned"
formControlName="spWantAssertionsSigned"
[label]="'spWantAssertionsSigned' | i18n"
></app-input-checkbox>
<app-input-checkbox
controlId="spValidateCertificates"
formControlName="spValidateCertificates"
[label]="'spValidateCertificates' | i18n"
></app-input-checkbox>
</div>
<!-- SAML2 IDP -->
<div class="config-section">
<h2 class="secondary-header">{{ "samlIdpConfig" | i18n }}</h2>
<app-input-text
[label]="'idpEntityId' | i18n"
controlId="idpEntityId"
formControlName="idpEntityId"
></app-input-text>
<app-select
controlId="idpBindingType"
[label]="'idpBindingType' | i18n"
[selectOptions]="saml2BindingTypeOptions"
formControlName="idpBindingType"
>
</app-select>
<app-input-text
[label]="'idpSingleSignOnServiceUrl' | i18n"
controlId="idpSingleSignOnServiceUrl"
[helperText]="'idpSingleSignOnServiceUrlRequired' | i18n"
[stripSpaces]="true"
formControlName="idpSingleSignOnServiceUrl"
></app-input-text>
<app-input-text
[label]="'idpSingleLogoutServiceUrl' | i18n"
controlId="idpSingleLogoutServiceUrl"
[stripSpaces]="true"
formControlName="idpSingleLogoutServiceUrl"
></app-input-text>
<div class="form-group">
<label for="idpX509PublicCert">
{{ "idpX509PublicCert" | i18n }}
<small class="text-muted form-text d-inline">({{ "required" | i18n }})</small>
</label>
<textarea
formControlName="idpX509PublicCert"
class="form-control form-control-sm text-monospace"
rows="6"
id="idpX509PublicCert"
appA11yInvalid
aria-describedby="idpX509PublicCertDesc"
></textarea>
<small
id="idpX509PublicCertDesc"
class="error-inline"
role="alert"
*ngIf="samlForm.get('idpX509PublicCert').hasError('required')"
>
<i class="bwi bwi-exclamation-circle" aria-hidden="true"></i>
<span class="sr-only">{{ "error" | i18n }}:</span>
{{ "fieldRequiredError" | i18n: ("idpX509PublicCert" | i18n) }}
</small>
</div>
<app-select
controlId="idpOutboundSigningAlgorithm"
[label]="'idpOutboundSigningAlgorithm' | i18n"
[selectOptions]="samlSigningAlgorithmOptions"
formControlName="idpOutboundSigningAlgorithm"
>
</app-select>
<!--TODO: Uncomment once Unsolicited IdP Response is supported-->
<!-- <app-input-checkbox
controlId="idpAllowUnsolicitedAuthnResponse"
formControlName="idpAllowUnsolicitedAuthnResponse"
[label]="'idpAllowUnsolicitedAuthnResponse' | i18n"
></app-input-checkbox> -->
<app-input-checkbox
controlId="idpAllowOutboundLogoutRequests"
formControlName="idpAllowOutboundLogoutRequests"
[label]="'idpAllowOutboundLogoutRequests' | i18n"
></app-input-checkbox>
<app-input-checkbox
controlId="idpWantAuthnRequestsSigned"
formControlName="idpWantAuthnRequestsSigned"
[label]="'idpSignAuthenticationRequests' | i18n"
></app-input-checkbox>
</div>
</div>
<button type="submit" class="btn btn-primary btn-submit" [disabled]="form.loading">
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ "save" | i18n }}</span>
</button>
<div
id="errorSummary"
class="error-summary text-danger"
*ngIf="this.getErrorCount(ssoConfigForm) as errorCount"
>
<i class="bwi bwi-exclamation-circle" aria-hidden="true"></i>
<span class="sr-only">{{ "error" | i18n }}:</span>
{{
(errorCount === 1 ? "formErrorSummarySingle" : "formErrorSummaryPlural") | i18n: errorCount
}}
</div>
</form>
| bitwarden/web/bitwarden_license/src/app/organizations/manage/sso.component.html/0 | {
"file_path": "bitwarden/web/bitwarden_license/src/app/organizations/manage/sso.component.html",
"repo_id": "bitwarden",
"token_count": 6952
} | 125 |
import { Injectable } from "@angular/core";
import { ApiService } from "jslib-common/abstractions/api.service";
import { CryptoService } from "jslib-common/abstractions/crypto.service";
import { SyncService } from "jslib-common/abstractions/sync.service";
import { ProviderAddOrganizationRequest } from "jslib-common/models/request/provider/providerAddOrganizationRequest";
@Injectable()
export class WebProviderService {
constructor(
private cryptoService: CryptoService,
private syncService: SyncService,
private apiService: ApiService
) {}
async addOrganizationToProvider(providerId: string, organizationId: string) {
const orgKey = await this.cryptoService.getOrgKey(organizationId);
const providerKey = await this.cryptoService.getProviderKey(providerId);
const encryptedOrgKey = await this.cryptoService.encrypt(orgKey.key, providerKey);
const request = new ProviderAddOrganizationRequest();
request.organizationId = organizationId;
request.key = encryptedOrgKey.encryptedString;
const response = await this.apiService.postProviderAddOrganization(providerId, request);
await this.syncService.fullSync(true);
return response;
}
async detachOrganizastion(providerId: string, organizationId: string): Promise<any> {
await this.apiService.deleteProviderOrganization(providerId, organizationId);
await this.syncService.fullSync(true);
}
}
| bitwarden/web/bitwarden_license/src/app/providers/services/webProvider.service.ts/0 | {
"file_path": "bitwarden/web/bitwarden_license/src/app/providers/services/webProvider.service.ts",
"repo_id": "bitwarden",
"token_count": 421
} | 126 |
project_id_env: _CROWDIN_PROJECT_ID
api_token_env: CROWDIN_API_TOKEN
preserve_hierarchy: true
files:
- source: /src/locales/en/messages.json
dest: /src/locales/en/%file_name%.%file_extension%
translation: /src/locales/%two_letters_code%/%original_file_name%
update_option: update_as_unapproved
languages_mapping:
two_letters_code:
pt-PT: pt_PT
pt-BR: pt_BR
zh-CN: zh_CN
zh-TW: zh_TW
en-GB: en_GB
en-IN: en_IN
sr-CY: sr_CY
sr-CS: sr_CS
| bitwarden/web/crowdin.yml/0 | {
"file_path": "bitwarden/web/crowdin.yml",
"repo_id": "bitwarden",
"token_count": 275
} | 127 |
import { Component } from "@angular/core";
import { ActivatedRoute, Router } from "@angular/router";
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 { PolicyService } from "jslib-common/abstractions/policy.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { Utils } from "jslib-common/misc/utils";
import { Policy } from "jslib-common/models/domain/policy";
import { OrganizationUserAcceptRequest } from "jslib-common/models/request/organizationUserAcceptRequest";
import { OrganizationUserResetPasswordEnrollmentRequest } from "jslib-common/models/request/organizationUserResetPasswordEnrollmentRequest";
import { BaseAcceptComponent } from "../common/base.accept.component";
@Component({
selector: "app-accept-organization",
templateUrl: "accept-organization.component.html",
})
export class AcceptOrganizationComponent extends BaseAcceptComponent {
orgName: string;
protected requiredParameters: string[] = ["organizationId", "organizationUserId", "token"];
constructor(
router: Router,
platformUtilsService: PlatformUtilsService,
i18nService: I18nService,
route: ActivatedRoute,
private apiService: ApiService,
stateService: StateService,
private cryptoService: CryptoService,
private policyService: PolicyService,
private logService: LogService
) {
super(router, platformUtilsService, i18nService, route, stateService);
}
async authedHandler(qParams: any): Promise<void> {
const request = new OrganizationUserAcceptRequest();
request.token = qParams.token;
if (await this.performResetPasswordAutoEnroll(qParams)) {
this.actionPromise = this.apiService
.postOrganizationUserAccept(qParams.organizationId, qParams.organizationUserId, request)
.then(() => {
// Retrieve Public Key
return this.apiService.getOrganizationKeys(qParams.organizationId);
})
.then(async (response) => {
if (response == null) {
throw new Error(this.i18nService.t("resetPasswordOrgKeysError"));
}
const publicKey = Utils.fromB64ToArray(response.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);
// Create request and execute enrollment
const resetRequest = new OrganizationUserResetPasswordEnrollmentRequest();
resetRequest.resetPasswordKey = encryptedKey.encryptedString;
return this.apiService.putOrganizationUserResetPasswordEnrollment(
qParams.organizationId,
await this.stateService.getUserId(),
resetRequest
);
});
} else {
this.actionPromise = this.apiService.postOrganizationUserAccept(
qParams.organizationId,
qParams.organizationUserId,
request
);
}
await this.actionPromise;
this.platformUtilService.showToast(
"success",
this.i18nService.t("inviteAccepted"),
this.i18nService.t("inviteAcceptedDesc"),
{ timeout: 10000 }
);
await this.stateService.setOrganizationInvitation(null);
this.router.navigate(["/vault"]);
}
async unauthedHandler(qParams: any): Promise<void> {
this.orgName = qParams.organizationName;
if (this.orgName != null) {
// Fix URL encoding of space issue with Angular
this.orgName = this.orgName.replace(/\+/g, " ");
}
await this.stateService.setOrganizationInvitation(qParams);
}
private async performResetPasswordAutoEnroll(qParams: any): Promise<boolean> {
let policyList: Policy[] = null;
try {
const policies = await this.apiService.getPoliciesByToken(
qParams.organizationId,
qParams.token,
qParams.email,
qParams.organizationUserId
);
policyList = this.policyService.mapPoliciesFromToken(policies);
} catch (e) {
this.logService.error(e);
}
if (policyList != null) {
const result = this.policyService.getResetPasswordPolicyOptions(
policyList,
qParams.organizationId
);
// Return true if policy enabled and auto-enroll enabled
return result[1] && result[0].autoEnrollEnabled;
}
return false;
}
}
| bitwarden/web/src/app/accounts/accept-organization.component.ts/0 | {
"file_path": "bitwarden/web/src/app/accounts/accept-organization.component.ts",
"repo_id": "bitwarden",
"token_count": 1706
} | 128 |
import { Component } from "@angular/core";
import { ActivatedRoute, Router } from "@angular/router";
import { SetPasswordComponent as BaseSetPasswordComponent } from "jslib-angular/components/set-password.component";
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 { MessagingService } from "jslib-common/abstractions/messaging.service";
import { PasswordGenerationService } from "jslib-common/abstractions/passwordGeneration.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { PolicyService } from "jslib-common/abstractions/policy.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { SyncService } from "jslib-common/abstractions/sync.service";
@Component({
selector: "app-set-password",
templateUrl: "set-password.component.html",
})
export class SetPasswordComponent extends BaseSetPasswordComponent {
constructor(
apiService: ApiService,
i18nService: I18nService,
cryptoService: CryptoService,
messagingService: MessagingService,
passwordGenerationService: PasswordGenerationService,
platformUtilsService: PlatformUtilsService,
policyService: PolicyService,
router: Router,
syncService: SyncService,
route: ActivatedRoute,
stateService: StateService
) {
super(
i18nService,
cryptoService,
messagingService,
passwordGenerationService,
platformUtilsService,
policyService,
router,
apiService,
syncService,
route,
stateService
);
}
}
| bitwarden/web/src/app/accounts/set-password.component.ts/0 | {
"file_path": "bitwarden/web/src/app/accounts/set-password.component.ts",
"repo_id": "bitwarden",
"token_count": 562
} | 129 |
import { Component, NgZone, OnDestroy, OnInit, SecurityContext } from "@angular/core";
import { DomSanitizer } from "@angular/platform-browser";
import { NavigationEnd, Router } from "@angular/router";
import * as jq from "jquery";
import { IndividualConfig, ToastrService } from "ngx-toastr";
import Swal from "sweetalert2";
import { AuthService } from "jslib-common/abstractions/auth.service";
import { BroadcasterService } from "jslib-common/abstractions/broadcaster.service";
import { CipherService } from "jslib-common/abstractions/cipher.service";
import { CollectionService } from "jslib-common/abstractions/collection.service";
import { CryptoService } from "jslib-common/abstractions/crypto.service";
import { EventService } from "jslib-common/abstractions/event.service";
import { FolderService } from "jslib-common/abstractions/folder.service";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { KeyConnectorService } from "jslib-common/abstractions/keyConnector.service";
import { NotificationsService } from "jslib-common/abstractions/notifications.service";
import { PasswordGenerationService } from "jslib-common/abstractions/passwordGeneration.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { PolicyService } from "jslib-common/abstractions/policy.service";
import { SearchService } from "jslib-common/abstractions/search.service";
import { SettingsService } from "jslib-common/abstractions/settings.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { SyncService } from "jslib-common/abstractions/sync.service";
import { TokenService } from "jslib-common/abstractions/token.service";
import { VaultTimeoutService } from "jslib-common/abstractions/vaultTimeout.service";
import { DisableSendPolicy } from "./organizations/policies/disable-send.component";
import { MasterPasswordPolicy } from "./organizations/policies/master-password.component";
import { PasswordGeneratorPolicy } from "./organizations/policies/password-generator.component";
import { PersonalOwnershipPolicy } from "./organizations/policies/personal-ownership.component";
import { RequireSsoPolicy } from "./organizations/policies/require-sso.component";
import { ResetPasswordPolicy } from "./organizations/policies/reset-password.component";
import { SendOptionsPolicy } from "./organizations/policies/send-options.component";
import { SingleOrgPolicy } from "./organizations/policies/single-org.component";
import { TwoFactorAuthenticationPolicy } from "./organizations/policies/two-factor-authentication.component";
import { PolicyListService } from "./services/policy-list.service";
import { RouterService } from "./services/router.service";
const BroadcasterSubscriptionId = "AppComponent";
const IdleTimeout = 60000 * 10; // 10 minutes
@Component({
selector: "app-root",
templateUrl: "app.component.html",
})
export class AppComponent implements OnDestroy, OnInit {
private lastActivity: number = null;
private idleTimer: number = null;
private isIdle = false;
constructor(
private broadcasterService: BroadcasterService,
private tokenService: TokenService,
private folderService: FolderService,
private settingsService: SettingsService,
private syncService: SyncService,
private passwordGenerationService: PasswordGenerationService,
private cipherService: CipherService,
private authService: AuthService,
private router: Router,
private toastrService: ToastrService,
private i18nService: I18nService,
private platformUtilsService: PlatformUtilsService,
private ngZone: NgZone,
private vaultTimeoutService: VaultTimeoutService,
private cryptoService: CryptoService,
private collectionService: CollectionService,
private sanitizer: DomSanitizer,
private searchService: SearchService,
private notificationsService: NotificationsService,
private routerService: RouterService,
private stateService: StateService,
private eventService: EventService,
private policyService: PolicyService,
protected policyListService: PolicyListService,
private keyConnectorService: KeyConnectorService
) {}
ngOnInit() {
this.ngZone.runOutsideAngular(() => {
window.onmousemove = () => this.recordActivity();
window.onmousedown = () => this.recordActivity();
window.ontouchstart = () => this.recordActivity();
window.onclick = () => this.recordActivity();
window.onscroll = () => this.recordActivity();
window.onkeypress = () => this.recordActivity();
});
this.broadcasterService.subscribe(BroadcasterSubscriptionId, async (message: any) => {
this.ngZone.run(async () => {
switch (message.command) {
case "loggedIn":
this.notificationsService.updateConnection(false);
break;
case "loggedOut":
this.routerService.setPreviousUrl(null);
this.notificationsService.updateConnection(false);
break;
case "unlocked":
this.notificationsService.updateConnection(false);
break;
case "authBlocked":
this.routerService.setPreviousUrl(message.url);
this.router.navigate(["/"]);
break;
case "logout":
this.logOut(!!message.expired);
break;
case "lockVault":
await this.vaultTimeoutService.lock();
break;
case "locked":
this.notificationsService.updateConnection(false);
this.router.navigate(["lock"]);
break;
case "lockedUrl":
this.routerService.setPreviousUrl(message.url);
break;
case "syncStarted":
break;
case "syncCompleted":
break;
case "upgradeOrganization": {
const upgradeConfirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("upgradeOrganizationDesc"),
this.i18nService.t("upgradeOrganization"),
this.i18nService.t("upgradeOrganization"),
this.i18nService.t("cancel")
);
if (upgradeConfirmed) {
this.router.navigate([
"organizations",
message.organizationId,
"settings",
"billing",
]);
}
break;
}
case "premiumRequired": {
const premiumConfirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("premiumRequiredDesc"),
this.i18nService.t("premiumRequired"),
this.i18nService.t("learnMore"),
this.i18nService.t("cancel")
);
if (premiumConfirmed) {
this.router.navigate(["settings/premium"]);
}
break;
}
case "emailVerificationRequired": {
const emailVerificationConfirmed = await this.platformUtilsService.showDialog(
this.i18nService.t("emailVerificationRequiredDesc"),
this.i18nService.t("emailVerificationRequired"),
this.i18nService.t("learnMore"),
this.i18nService.t("cancel")
);
if (emailVerificationConfirmed) {
this.platformUtilsService.launchUri(
"https://bitwarden.com/help/create-bitwarden-account/"
);
}
break;
}
case "showToast":
this.showToast(message);
break;
case "setFullWidth":
this.setFullWidth();
break;
case "convertAccountToKeyConnector":
this.router.navigate(["/remove-password"]);
break;
default:
break;
}
});
});
this.router.events.subscribe((event) => {
if (event instanceof NavigationEnd) {
const modals = Array.from(document.querySelectorAll(".modal"));
for (const modal of modals) {
(jq(modal) as any).modal("hide");
}
if (document.querySelector(".swal-modal") != null) {
Swal.close(undefined);
}
}
});
this.policyListService.addPolicies([
new TwoFactorAuthenticationPolicy(),
new MasterPasswordPolicy(),
new PasswordGeneratorPolicy(),
new SingleOrgPolicy(),
new RequireSsoPolicy(),
new PersonalOwnershipPolicy(),
new DisableSendPolicy(),
new SendOptionsPolicy(),
new ResetPasswordPolicy(),
]);
this.setFullWidth();
}
ngOnDestroy() {
this.broadcasterService.unsubscribe(BroadcasterSubscriptionId);
}
private async logOut(expired: boolean) {
await this.eventService.uploadEvents();
const userId = await this.stateService.getUserId();
await Promise.all([
this.eventService.clearEvents(),
this.syncService.setLastSync(new Date(0)),
this.cryptoService.clearKeys(),
this.settingsService.clear(userId),
this.cipherService.clear(userId),
this.folderService.clear(userId),
this.collectionService.clear(userId),
this.policyService.clear(userId),
this.passwordGenerationService.clear(),
this.keyConnectorService.clear(),
]);
this.searchService.clearIndex();
this.authService.logOut(async () => {
if (expired) {
this.platformUtilsService.showToast(
"warning",
this.i18nService.t("loggedOut"),
this.i18nService.t("loginExpired")
);
}
await this.stateService.clean({ userId: userId });
Swal.close();
this.router.navigate(["/"]);
});
}
private async recordActivity() {
const now = new Date().getTime();
if (this.lastActivity != null && now - this.lastActivity < 250) {
return;
}
this.lastActivity = now;
this.stateService.setLastActive(now);
// Idle states
if (this.isIdle) {
this.isIdle = false;
this.idleStateChanged();
}
if (this.idleTimer != null) {
window.clearTimeout(this.idleTimer);
this.idleTimer = null;
}
this.idleTimer = window.setTimeout(() => {
if (!this.isIdle) {
this.isIdle = true;
this.idleStateChanged();
}
}, IdleTimeout);
}
private showToast(msg: any) {
let message = "";
const options: Partial<IndividualConfig> = {};
if (typeof msg.text === "string") {
message = msg.text;
} else if (msg.text.length === 1) {
message = msg.text[0];
} else {
msg.text.forEach(
(t: string) =>
(message += "<p>" + this.sanitizer.sanitize(SecurityContext.HTML, t) + "</p>")
);
options.enableHtml = true;
}
if (msg.options != null) {
if (msg.options.trustedHtml === true) {
options.enableHtml = true;
}
if (msg.options.timeout != null && msg.options.timeout > 0) {
options.timeOut = msg.options.timeout;
}
}
this.toastrService.show(message, msg.title, options, "toast-" + msg.type);
}
private idleStateChanged() {
if (this.isIdle) {
this.notificationsService.disconnectFromInactivity();
} else {
this.notificationsService.reconnectFromActivity();
}
}
private async setFullWidth() {
const enableFullWidth = await this.stateService.getEnableFullWidth();
if (enableFullWidth) {
document.body.classList.add("full-width");
} else {
document.body.classList.remove("full-width");
}
}
}
| bitwarden/web/src/app/app.component.ts/0 | {
"file_path": "bitwarden/web/src/app/app.component.ts",
"repo_id": "bitwarden",
"token_count": 4588
} | 130 |
import { Component, OnInit } from "@angular/core";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
@Component({
selector: "app-footer",
templateUrl: "footer.component.html",
})
export class FooterComponent implements OnInit {
version: string;
year = "2015";
constructor(private platformUtilsService: PlatformUtilsService) {}
async ngOnInit() {
this.year = new Date().getFullYear().toString();
this.version = await this.platformUtilsService.getApplicationVersion();
}
}
| bitwarden/web/src/app/layouts/footer.component.ts/0 | {
"file_path": "bitwarden/web/src/app/layouts/footer.component.ts",
"repo_id": "bitwarden",
"token_count": 161
} | 131 |
import { NgModule } from "@angular/core";
import { GetOrgNameFromIdPipe } from "./get-organization-name.pipe";
@NgModule({
imports: [],
declarations: [GetOrgNameFromIdPipe],
exports: [GetOrgNameFromIdPipe],
})
export class PipesModule {}
| bitwarden/web/src/app/modules/pipes/pipes.module.ts/0 | {
"file_path": "bitwarden/web/src/app/modules/pipes/pipes.module.ts",
"repo_id": "bitwarden",
"token_count": 84
} | 132 |
import { Component, Input } from "@angular/core";
import { Organization } from "jslib-common/models/domain/organization";
import { VaultFilterComponent } from "./vault-filter.component";
@Component({
selector: "app-organization-vault-filter",
templateUrl: "vault-filter.component.html",
})
export class OrganizationVaultFilterComponent extends VaultFilterComponent {
hideOrganizations = true;
hideFavorites = true;
hideFolders = true;
organization: Organization;
async initCollections() {
if (this.organization.canEditAnyCollection) {
return await this.vaultFilterService.buildAdminCollections(this.organization.id);
}
return await this.vaultFilterService.buildCollections(this.organization.id);
}
async reloadCollectionsAndFolders() {
this.collections = await this.initCollections();
}
}
| bitwarden/web/src/app/modules/vault-filter/organization-vault-filter.component.ts/0 | {
"file_path": "bitwarden/web/src/app/modules/vault-filter/organization-vault-filter.component.ts",
"repo_id": "bitwarden",
"token_count": 251
} | 133 |
import { NgModule } from "@angular/core";
import { LooseComponentsModule } from "../loose-components.module";
import { SharedModule } from "../shared.module";
import { VaultFilterModule } from "../vault-filter/vault-filter.module";
import { VaultService } from "./vault.service";
@NgModule({
imports: [SharedModule, VaultFilterModule, LooseComponentsModule],
exports: [SharedModule, VaultFilterModule, LooseComponentsModule],
providers: [
{
provide: VaultService,
useClass: VaultService,
},
],
})
export class VaultModule {}
| bitwarden/web/src/app/modules/vault/vault.module.ts/0 | {
"file_path": "bitwarden/web/src/app/modules/vault/vault.module.ts",
"repo_id": "bitwarden",
"token_count": 177
} | 134 |
import { Component, Input, OnInit } from "@angular/core";
import { UserNamePipe } from "jslib-angular/pipes/user-name.pipe";
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 { EventResponse } from "jslib-common/models/response/eventResponse";
import { ListResponse } from "jslib-common/models/response/listResponse";
import { EventService } from "../../services/event.service";
@Component({
selector: "app-entity-events",
templateUrl: "entity-events.component.html",
})
export class EntityEventsComponent implements OnInit {
@Input() name: string;
@Input() entity: "user" | "cipher";
@Input() entityId: string;
@Input() organizationId: string;
@Input() providerId: string;
@Input() showUser = false;
loading = true;
loaded = false;
events: any[];
start: string;
end: string;
continuationToken: string;
refreshPromise: Promise<any>;
morePromise: Promise<any>;
private orgUsersUserIdMap = new Map<string, any>();
private orgUsersIdMap = new Map<string, any>();
constructor(
private apiService: ApiService,
private i18nService: I18nService,
private eventService: EventService,
private platformUtilsService: PlatformUtilsService,
private userNamePipe: UserNamePipe,
private logService: LogService
) {}
async ngOnInit() {
const defaultDates = this.eventService.getDefaultDateFilters();
this.start = defaultDates[0];
this.end = defaultDates[1];
await this.load();
}
async load() {
if (this.showUser) {
const response = await this.apiService.getOrganizationUsers(this.organizationId);
response.data.forEach((u) => {
const name = this.userNamePipe.transform(u);
this.orgUsersIdMap.set(u.id, { name: name, email: u.email });
this.orgUsersUserIdMap.set(u.userId, { name: name, email: u.email });
});
}
await this.loadEvents(true);
this.loaded = true;
}
async loadEvents(clearExisting: boolean) {
if (this.refreshPromise != null || this.morePromise != null) {
return;
}
let dates: string[] = null;
try {
dates = this.eventService.formatDateFilters(this.start, this.end);
} catch (e) {
this.platformUtilsService.showToast(
"error",
this.i18nService.t("errorOccurred"),
this.i18nService.t("invalidDateRange")
);
return;
}
this.loading = true;
let response: ListResponse<EventResponse>;
try {
let promise: Promise<any>;
if (this.entity === "user" && this.providerId) {
promise = this.apiService.getEventsProviderUser(
this.providerId,
this.entityId,
dates[0],
dates[1],
clearExisting ? null : this.continuationToken
);
} else if (this.entity === "user") {
promise = this.apiService.getEventsOrganizationUser(
this.organizationId,
this.entityId,
dates[0],
dates[1],
clearExisting ? null : this.continuationToken
);
} else {
promise = this.apiService.getEventsCipher(
this.entityId,
dates[0],
dates[1],
clearExisting ? null : this.continuationToken
);
}
if (clearExisting) {
this.refreshPromise = promise;
} else {
this.morePromise = promise;
}
response = await promise;
} catch (e) {
this.logService.error(e);
}
this.continuationToken = response.continuationToken;
const events = await Promise.all(
response.data.map(async (r) => {
const userId = r.actingUserId == null ? r.userId : r.actingUserId;
const eventInfo = await this.eventService.getEventInfo(r);
const user =
this.showUser && userId != null && this.orgUsersUserIdMap.has(userId)
? this.orgUsersUserIdMap.get(userId)
: null;
return {
message: eventInfo.message,
appIcon: eventInfo.appIcon,
appName: eventInfo.appName,
userId: userId,
userName: user != null ? user.name : this.showUser ? this.i18nService.t("unknown") : null,
userEmail: user != null ? user.email : this.showUser ? "" : null,
date: r.date,
ip: r.ipAddress,
type: r.type,
};
})
);
if (!clearExisting && this.events != null && this.events.length > 0) {
this.events = this.events.concat(events);
} else {
this.events = events;
}
this.loading = false;
this.morePromise = null;
this.refreshPromise = null;
}
}
| bitwarden/web/src/app/organizations/manage/entity-events.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/manage/entity-events.component.ts",
"repo_id": "bitwarden",
"token_count": 1964
} | 135 |
import { Component, EventEmitter, Input, OnInit, Output } from "@angular/core";
import { ApiService } from "jslib-common/abstractions/api.service";
import { CryptoService } from "jslib-common/abstractions/crypto.service";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { LogService } from "jslib-common/abstractions/log.service";
import { PasswordGenerationService } from "jslib-common/abstractions/passwordGeneration.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { PolicyService } from "jslib-common/abstractions/policy.service";
import { EncString } from "jslib-common/models/domain/encString";
import { MasterPasswordPolicyOptions } from "jslib-common/models/domain/masterPasswordPolicyOptions";
import { SymmetricCryptoKey } from "jslib-common/models/domain/symmetricCryptoKey";
import { OrganizationUserResetPasswordRequest } from "jslib-common/models/request/organizationUserResetPasswordRequest";
@Component({
selector: "app-reset-password",
templateUrl: "reset-password.component.html",
})
export class ResetPasswordComponent implements OnInit {
@Input() name: string;
@Input() email: string;
@Input() id: string;
@Input() organizationId: string;
@Output() onPasswordReset = new EventEmitter();
enforcedPolicyOptions: MasterPasswordPolicyOptions;
newPassword: string = null;
showPassword = false;
masterPasswordScore: number;
formPromise: Promise<any>;
private newPasswordStrengthTimeout: any;
constructor(
private apiService: ApiService,
private i18nService: I18nService,
private platformUtilsService: PlatformUtilsService,
private passwordGenerationService: PasswordGenerationService,
private policyService: PolicyService,
private cryptoService: CryptoService,
private logService: LogService
) {}
async ngOnInit() {
// Get Enforced Policy Options
this.enforcedPolicyOptions = await this.policyService.getMasterPasswordPolicyOptions();
}
get loggedOutWarningName() {
return this.name != null ? this.name : this.i18nService.t("thisUser");
}
async generatePassword() {
const options = (await this.passwordGenerationService.getOptions())[0];
this.newPassword = await this.passwordGenerationService.generatePassword(options);
this.updatePasswordStrength();
}
togglePassword() {
this.showPassword = !this.showPassword;
document.getElementById("newPassword").focus();
}
copy(value: string) {
if (value == null) {
return;
}
this.platformUtilsService.copyToClipboard(value, { window: window });
this.platformUtilsService.showToast(
"info",
null,
this.i18nService.t("valueCopied", this.i18nService.t("password"))
);
}
async submit() {
// Validation
if (this.newPassword == null || this.newPassword === "") {
this.platformUtilsService.showToast(
"error",
this.i18nService.t("errorOccurred"),
this.i18nService.t("masterPassRequired")
);
return false;
}
if (this.newPassword.length < 8) {
this.platformUtilsService.showToast(
"error",
this.i18nService.t("errorOccurred"),
this.i18nService.t("masterPassLength")
);
return false;
}
if (
this.enforcedPolicyOptions != null &&
!this.policyService.evaluateMasterPassword(
this.masterPasswordScore,
this.newPassword,
this.enforcedPolicyOptions
)
) {
this.platformUtilsService.showToast(
"error",
this.i18nService.t("errorOccurred"),
this.i18nService.t("masterPasswordPolicyRequirementsNotMet")
);
return;
}
if (this.masterPasswordScore < 3) {
const result = await this.platformUtilsService.showDialog(
this.i18nService.t("weakMasterPasswordDesc"),
this.i18nService.t("weakMasterPassword"),
this.i18nService.t("yes"),
this.i18nService.t("no"),
"warning"
);
if (!result) {
return false;
}
}
// Get user Information (kdf type, kdf iterations, resetPasswordKey, private key) and change password
try {
this.formPromise = this.apiService
.getOrganizationUserResetPasswordDetails(this.organizationId, this.id)
.then(async (response) => {
if (response == null) {
throw new Error(this.i18nService.t("resetPasswordDetailsError"));
}
const kdfType = response.kdf;
const kdfIterations = response.kdfIterations;
const resetPasswordKey = response.resetPasswordKey;
const encryptedPrivateKey = response.encryptedPrivateKey;
// Decrypt Organization's encrypted Private Key with org key
const orgSymKey = await this.cryptoService.getOrgKey(this.organizationId);
const decPrivateKey = await this.cryptoService.decryptToBytes(
new EncString(encryptedPrivateKey),
orgSymKey
);
// Decrypt User's Reset Password Key to get EncKey
const decValue = await this.cryptoService.rsaDecrypt(resetPasswordKey, decPrivateKey);
const userEncKey = new SymmetricCryptoKey(decValue);
// Create new key and hash new password
const newKey = await this.cryptoService.makeKey(
this.newPassword,
this.email.trim().toLowerCase(),
kdfType,
kdfIterations
);
const newPasswordHash = await this.cryptoService.hashPassword(this.newPassword, newKey);
// Create new encKey for the User
const newEncKey = await this.cryptoService.remakeEncKey(newKey, userEncKey);
// Create request
const request = new OrganizationUserResetPasswordRequest();
request.key = newEncKey[1].encryptedString;
request.newMasterPasswordHash = newPasswordHash;
// Change user's password
return this.apiService.putOrganizationUserResetPassword(
this.organizationId,
this.id,
request
);
});
await this.formPromise;
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("resetPasswordSuccess")
);
this.onPasswordReset.emit();
} catch (e) {
this.logService.error(e);
}
}
updatePasswordStrength() {
if (this.newPasswordStrengthTimeout != null) {
clearTimeout(this.newPasswordStrengthTimeout);
}
this.newPasswordStrengthTimeout = setTimeout(() => {
const strengthResult = this.passwordGenerationService.passwordStrength(
this.newPassword,
this.getPasswordStrengthUserInput()
);
this.masterPasswordScore = strengthResult == null ? null : strengthResult.score;
}, 300);
}
private getPasswordStrengthUserInput() {
let userInput: string[] = [];
const atPosition = this.email.indexOf("@");
if (atPosition > -1) {
userInput = userInput.concat(
this.email
.substr(0, atPosition)
.trim()
.toLowerCase()
.split(/[^A-Za-z0-9]/)
);
}
if (this.name != null && this.name !== "") {
userInput = userInput.concat(this.name.trim().toLowerCase().split(" "));
}
return userInput;
}
}
| bitwarden/web/src/app/organizations/manage/reset-password.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/manage/reset-password.component.ts",
"repo_id": "bitwarden",
"token_count": 2795
} | 136 |
import { Component } from "@angular/core";
import { PolicyType } from "jslib-common/enums/policyType";
import { BasePolicy, BasePolicyComponent } from "./base-policy.component";
export class PersonalOwnershipPolicy extends BasePolicy {
name = "personalOwnership";
description = "personalOwnershipPolicyDesc";
type = PolicyType.PersonalOwnership;
component = PersonalOwnershipPolicyComponent;
}
@Component({
selector: "policy-personal-ownership",
templateUrl: "personal-ownership.component.html",
})
export class PersonalOwnershipPolicyComponent extends BasePolicyComponent {}
| bitwarden/web/src/app/organizations/policies/personal-ownership.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/policies/personal-ownership.component.ts",
"repo_id": "bitwarden",
"token_count": 154
} | 137 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="billingSyncApiKeyTitle">
<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="billingSyncApiKeyTitle">
{{ (hasBillingToken ? "viewBillingSyncToken" : "generateBillingSyncToken") | i18n }}
</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<div class="modal-body">
<app-user-verification
[(ngModel)]="masterPassword"
ngDefaultControl
name="secret"
*ngIf="!clientSecret"
>
</app-user-verification>
<ng-container *ngIf="clientSecret && showRotateScreen">
<p>{{ "rotateBillingSyncTokenTitle" | i18n }}</p>
<app-callout type="warning">
{{ "rotateBillingSyncTokenWarning" | i18n }}
</app-callout>
</ng-container>
<div *ngIf="clientSecret && !showRotateScreen">
<p>{{ "copyPasteBillingSync" | i18n }}</p>
<label for="clientSecret">Billing Sync Key</label>
<div class="input-group">
<input
id="clientSecret"
class="form-control text-monospace"
type="text"
[(ngModel)]="clientSecret"
name="clientSecret"
disabled
/>
<div class="input-group-append">
<button
type="button"
class="btn btn-outline-secondary"
(click)="copy()"
[appA11yTitle]="'copy' | i18n"
>
<i class="bwi bwi-lg bwi-clone" aria-hidden="true"></i>
</button>
</div>
</div>
<div class="small text-muted mt-2" *ngIf="showLastSyncText">
<b class="font-weight-semibold">{{ "lastSync" | i18n }}:</b>
{{ lastSyncDate | date: "medium" }}
</div>
<div class="small text-danger mt-2" *ngIf="showAwaitingSyncText">
<i class="bwi bwi-error"></i>
{{
(daysBetween === 1 ? "awaitingSyncSingular" : "awaitingSyncPlural")
| i18n: daysBetween
}}
</div>
</div>
</div>
<div class="modal-footer">
<button
type="submit"
class="btn btn-primary btn-submit"
[disabled]="form.loading"
*ngIf="!clientSecret || showRotateScreen"
>
<i
class="bwi bwi-spinner bwi-spin"
title="{{ 'loading' | i18n }}"
*ngIf="form.loading"
></i>
<span>
{{ submitButtonText }}
</span>
</button>
<button
type="button"
class="btn btn-outline-secondary"
data-dismiss="modal"
*ngIf="!showRotateScreen"
>
{{ "close" | i18n }}
</button>
<button
type="button"
class="btn btn-outline-secondary"
*ngIf="showRotateScreen"
(click)="cancelRotate()"
>
{{ "cancel" | i18n }}
</button>
<button
type="button"
class="btn btn-outline-secondary"
*ngIf="clientSecret && !showRotateScreen"
(click)="rotateToken()"
>
{{ "rotateToken" | i18n }}
</button>
</div>
</form>
</div>
</div>
| bitwarden/web/src/app/organizations/settings/billing-sync-api-key.component.html/0 | {
"file_path": "bitwarden/web/src/app/organizations/settings/billing-sync-api-key.component.html",
"repo_id": "bitwarden",
"token_count": 2035
} | 138 |
import { Component } from "@angular/core";
import { ActivatedRoute } from "@angular/router";
import { ModalService } from "jslib-angular/services/modal.service";
import { ApiService } from "jslib-common/abstractions/api.service";
import { MessagingService } from "jslib-common/abstractions/messaging.service";
import { PolicyService } from "jslib-common/abstractions/policy.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { TwoFactorProviderType } from "jslib-common/enums/twoFactorProviderType";
import { TwoFactorDuoComponent } from "../../settings/two-factor-duo.component";
import { TwoFactorSetupComponent as BaseTwoFactorSetupComponent } from "../../settings/two-factor-setup.component";
@Component({
selector: "app-two-factor-setup",
templateUrl: "../../settings/two-factor-setup.component.html",
})
export class TwoFactorSetupComponent extends BaseTwoFactorSetupComponent {
constructor(
apiService: ApiService,
modalService: ModalService,
messagingService: MessagingService,
policyService: PolicyService,
private route: ActivatedRoute,
stateService: StateService
) {
super(apiService, modalService, messagingService, policyService, stateService);
}
async ngOnInit() {
this.route.parent.parent.params.subscribe(async (params) => {
this.organizationId = params.organizationId;
await super.ngOnInit();
});
}
async manage(type: TwoFactorProviderType) {
switch (type) {
case TwoFactorProviderType.OrganizationDuo: {
const duoComp = await this.openModal(this.duoModalRef, TwoFactorDuoComponent);
duoComp.type = TwoFactorProviderType.OrganizationDuo;
duoComp.organizationId = this.organizationId;
duoComp.onUpdated.subscribe((enabled: boolean) => {
this.updateStatus(enabled, TwoFactorProviderType.OrganizationDuo);
});
break;
}
default:
break;
}
}
protected getTwoFactorProviders() {
return this.apiService.getTwoFactorOrganizationProviders(this.organizationId);
}
protected filterProvider(type: TwoFactorProviderType) {
return type !== TwoFactorProviderType.OrganizationDuo;
}
}
| bitwarden/web/src/app/organizations/settings/two-factor-setup.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/settings/two-factor-setup.component.ts",
"repo_id": "bitwarden",
"token_count": 731
} | 139 |
import { Component, EventEmitter, Output } from "@angular/core";
import { ApiService } from "jslib-common/abstractions/api.service";
import { CipherService } from "jslib-common/abstractions/cipher.service";
import { EventService } from "jslib-common/abstractions/event.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 { PasswordRepromptService } from "jslib-common/abstractions/passwordReprompt.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { SearchService } from "jslib-common/abstractions/search.service";
import { StateService } from "jslib-common/abstractions/state.service";
import { TokenService } from "jslib-common/abstractions/token.service";
import { TotpService } from "jslib-common/abstractions/totp.service";
import { Organization } from "jslib-common/models/domain/organization";
import { CipherView } from "jslib-common/models/view/cipherView";
import { CiphersComponent as BaseCiphersComponent } from "../../vault/ciphers.component";
@Component({
selector: "app-org-vault-ciphers",
templateUrl: "../../vault/ciphers.component.html",
})
export class CiphersComponent extends BaseCiphersComponent {
@Output() onEventsClicked = new EventEmitter<CipherView>();
organization: Organization;
accessEvents = false;
protected allCiphers: CipherView[] = [];
constructor(
searchService: SearchService,
i18nService: I18nService,
platformUtilsService: PlatformUtilsService,
cipherService: CipherService,
eventService: EventService,
totpService: TotpService,
passwordRepromptService: PasswordRepromptService,
logService: LogService,
stateService: StateService,
organizationService: OrganizationService,
tokenService: TokenService,
private apiService: ApiService
) {
super(
searchService,
i18nService,
platformUtilsService,
cipherService,
eventService,
totpService,
stateService,
passwordRepromptService,
logService,
organizationService,
tokenService
);
}
async load(filter: (cipher: CipherView) => boolean = null, deleted = false) {
this.deleted = deleted || false;
if (this.organization.canEditAnyCollection) {
this.accessEvents = this.organization.useEvents;
this.allCiphers = await this.cipherService.getAllFromApiForOrganization(this.organization.id);
} else {
this.allCiphers = (await this.cipherService.getAllDecrypted()).filter(
(c) => c.organizationId === this.organization.id
);
}
await this.searchService.indexCiphers(this.organization.id, this.allCiphers);
await this.applyFilter(filter);
this.loaded = true;
}
async applyFilter(filter: (cipher: CipherView) => boolean = null) {
if (this.organization.canViewAllCollections) {
await super.applyFilter(filter);
} else {
const f = (c: CipherView) =>
c.organizationId === this.organization.id && (filter == null || filter(c));
await super.applyFilter(f);
}
}
async search(timeout: number = null) {
await super.search(timeout, this.allCiphers);
}
events(c: CipherView) {
this.onEventsClicked.emit(c);
}
protected deleteCipher(id: string) {
if (!this.organization.canEditAnyCollection) {
return super.deleteCipher(id, this.deleted);
}
return this.deleted
? this.apiService.deleteCipherAdmin(id)
: this.apiService.putDeleteCipherAdmin(id);
}
protected showFixOldAttachments(c: CipherView) {
return this.organization.canEditAnyCollection && c.hasOldAttachments;
}
}
| bitwarden/web/src/app/organizations/vault/ciphers.component.ts/0 | {
"file_path": "bitwarden/web/src/app/organizations/vault/ciphers.component.ts",
"repo_id": "bitwarden",
"token_count": 1307
} | 140 |
<div class="page-header">
<h1>{{ "reports" | i18n }}</h1>
</div>
<p>{{ "reportsDesc" | i18n }}</p>
<div class="tw-inline-grid tw-grid-cols-3 tw-gap-4">
<div *ngFor="let report of reports">
<app-report-card [type]="report"></app-report-card>
</div>
</div>
| bitwarden/web/src/app/reports/report-list.component.html/0 | {
"file_path": "bitwarden/web/src/app/reports/report-list.component.html",
"repo_id": "bitwarden",
"token_count": 119
} | 141 |
import { DatePipe } from "@angular/common";
import { Component } from "@angular/core";
import { ControlContainer, NgForm } from "@angular/forms";
import { EffluxDatesComponent as BaseEffluxDatesComponent } from "jslib-angular/components/send/efflux-dates.component";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
@Component({
selector: "app-send-efflux-dates",
templateUrl: "efflux-dates.component.html",
viewProviders: [{ provide: ControlContainer, useExisting: NgForm }],
})
export class EffluxDatesComponent extends BaseEffluxDatesComponent {
constructor(
protected i18nService: I18nService,
protected platformUtilsService: PlatformUtilsService,
protected datePipe: DatePipe
) {
super(i18nService, platformUtilsService, datePipe);
}
}
| bitwarden/web/src/app/send/efflux-dates.component.ts/0 | {
"file_path": "bitwarden/web/src/app/send/efflux-dates.component.ts",
"repo_id": "bitwarden",
"token_count": 278
} | 142 |
import { Component, EventEmitter, Input, Output, ViewChild } from "@angular/core";
import { ActivatedRoute, Router } from "@angular/router";
import { ApiService } from "jslib-common/abstractions/api.service";
import { I18nService } from "jslib-common/abstractions/i18n.service";
import { LogService } from "jslib-common/abstractions/log.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { StorageRequest } from "jslib-common/models/request/storageRequest";
import { PaymentResponse } from "jslib-common/models/response/paymentResponse";
import { PaymentComponent } from "./payment.component";
@Component({
selector: "app-adjust-storage",
templateUrl: "adjust-storage.component.html",
})
export class AdjustStorageComponent {
@Input() storageGbPrice = 0;
@Input() add = true;
@Input() organizationId: string;
@Input() interval = "year";
@Output() onAdjusted = new EventEmitter<number>();
@Output() onCanceled = new EventEmitter();
@ViewChild(PaymentComponent, { static: true }) paymentComponent: PaymentComponent;
storageAdjustment = 0;
formPromise: Promise<any>;
constructor(
private apiService: ApiService,
private i18nService: I18nService,
private platformUtilsService: PlatformUtilsService,
private router: Router,
private activatedRoute: ActivatedRoute,
private logService: LogService
) {}
async submit() {
try {
const request = new StorageRequest();
request.storageGbAdjustment = this.storageAdjustment;
if (!this.add) {
request.storageGbAdjustment *= -1;
}
let paymentFailed = false;
const action = async () => {
let response: Promise<PaymentResponse>;
if (this.organizationId == null) {
response = this.formPromise = this.apiService.postAccountStorage(request);
} else {
response = this.formPromise = this.apiService.postOrganizationStorage(
this.organizationId,
request
);
}
const result = await response;
if (result != null && result.paymentIntentClientSecret != null) {
try {
await this.paymentComponent.handleStripeCardPayment(
result.paymentIntentClientSecret,
null
);
} catch {
paymentFailed = true;
}
}
};
this.formPromise = action();
await this.formPromise;
this.onAdjusted.emit(this.storageAdjustment);
if (paymentFailed) {
this.platformUtilsService.showToast(
"warning",
null,
this.i18nService.t("couldNotChargeCardPayInvoice"),
{ timeout: 10000 }
);
this.router.navigate(["../billing"], { relativeTo: this.activatedRoute });
} else {
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("adjustedStorage", request.storageGbAdjustment.toString())
);
}
} catch (e) {
this.logService.error(e);
}
}
cancel() {
this.onCanceled.emit();
}
get adjustedStorageTotal(): number {
return this.storageGbPrice * this.storageAdjustment;
}
}
| bitwarden/web/src/app/settings/adjust-storage.component.ts/0 | {
"file_path": "bitwarden/web/src/app/settings/adjust-storage.component.ts",
"repo_id": "bitwarden",
"token_count": 1247
} | 143 |
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 { MessagingService } from "jslib-common/abstractions/messaging.service";
import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service";
import { UserVerificationService } from "jslib-common/abstractions/userVerification.service";
import { Verification } from "jslib-common/types/verification";
@Component({
selector: "app-delete-account",
templateUrl: "delete-account.component.html",
})
export class DeleteAccountComponent {
masterPassword: Verification;
formPromise: Promise<any>;
constructor(
private apiService: ApiService,
private i18nService: I18nService,
private platformUtilsService: PlatformUtilsService,
private userVerificationService: UserVerificationService,
private messagingService: MessagingService,
private logService: LogService
) {}
async submit() {
try {
this.formPromise = this.userVerificationService
.buildRequest(this.masterPassword)
.then((request) => this.apiService.deleteAccount(request));
await this.formPromise;
this.platformUtilsService.showToast(
"success",
this.i18nService.t("accountDeleted"),
this.i18nService.t("accountDeletedDesc")
);
this.messagingService.send("logout");
} catch (e) {
this.logService.error(e);
}
}
}
| bitwarden/web/src/app/settings/delete-account.component.ts/0 | {
"file_path": "bitwarden/web/src/app/settings/delete-account.component.ts",
"repo_id": "bitwarden",
"token_count": 537
} | 144 |
import { Component, EventEmitter, Input, OnInit, Output, ViewChild } from "@angular/core";
import { Router } from "@angular/router";
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 { PolicyService } from "jslib-common/abstractions/policy.service";
import { SyncService } from "jslib-common/abstractions/sync.service";
import { PaymentMethodType } from "jslib-common/enums/paymentMethodType";
import { PlanType } from "jslib-common/enums/planType";
import { PolicyType } from "jslib-common/enums/policyType";
import { ProductType } from "jslib-common/enums/productType";
import { EncString } from "jslib-common/models/domain/encString";
import { SymmetricCryptoKey } from "jslib-common/models/domain/symmetricCryptoKey";
import { OrganizationCreateRequest } from "jslib-common/models/request/organizationCreateRequest";
import { OrganizationKeysRequest } from "jslib-common/models/request/organizationKeysRequest";
import { OrganizationUpgradeRequest } from "jslib-common/models/request/organizationUpgradeRequest";
import { ProviderOrganizationCreateRequest } from "jslib-common/models/request/provider/providerOrganizationCreateRequest";
import { PlanResponse } from "jslib-common/models/response/planResponse";
import { PaymentComponent } from "./payment.component";
import { TaxInfoComponent } from "./tax-info.component";
@Component({
selector: "app-organization-plans",
templateUrl: "organization-plans.component.html",
})
export class OrganizationPlansComponent implements OnInit {
@ViewChild(PaymentComponent) paymentComponent: PaymentComponent;
@ViewChild(TaxInfoComponent) taxComponent: TaxInfoComponent;
@Input() organizationId: string;
@Input() showFree = true;
@Input() showCancel = false;
@Input() acceptingSponsorship = false;
@Input() product: ProductType = ProductType.Free;
@Input() plan: PlanType = PlanType.Free;
@Input() providerId: string;
@Output() onSuccess = new EventEmitter();
@Output() onCanceled = new EventEmitter();
loading = true;
selfHosted = false;
ownedBusiness = false;
premiumAccessAddon = false;
additionalStorage = 0;
additionalSeats = 0;
name: string;
billingEmail: string;
clientOwnerEmail: string;
businessName: string;
productTypes = ProductType;
formPromise: Promise<any>;
singleOrgPolicyBlock = false;
discount = 0;
plans: PlanResponse[];
constructor(
private apiService: ApiService,
private i18nService: I18nService,
private platformUtilsService: PlatformUtilsService,
private cryptoService: CryptoService,
private router: Router,
private syncService: SyncService,
private policyService: PolicyService,
private organizationService: OrganizationService,
private logService: LogService,
private messagingService: MessagingService
) {
this.selfHosted = platformUtilsService.isSelfHost();
}
async ngOnInit() {
if (!this.selfHosted) {
const plans = await this.apiService.getPlans();
this.plans = plans.data;
if (this.product === ProductType.Enterprise || this.product === ProductType.Teams) {
this.ownedBusiness = true;
}
}
if (this.providerId) {
this.ownedBusiness = true;
this.changedOwnedBusiness();
}
this.loading = false;
}
get createOrganization() {
return this.organizationId == null;
}
get selectedPlan() {
return this.plans.find((plan) => plan.type === this.plan);
}
get selectedPlanInterval() {
return this.selectedPlan.isAnnual ? "year" : "month";
}
get selectableProducts() {
let validPlans = this.plans.filter((plan) => plan.type !== PlanType.Custom);
if (this.ownedBusiness) {
validPlans = validPlans.filter((plan) => plan.canBeUsedByBusiness);
}
if (!this.showFree) {
validPlans = validPlans.filter((plan) => plan.product !== ProductType.Free);
}
validPlans = validPlans.filter(
(plan) =>
!plan.legacyYear &&
!plan.disabled &&
(plan.isAnnual || plan.product === this.productTypes.Free)
);
if (this.acceptingSponsorship) {
const familyPlan = this.plans.find((plan) => plan.type === PlanType.FamiliesAnnually);
this.discount = familyPlan.basePrice;
validPlans = [familyPlan];
}
return validPlans;
}
get selectablePlans() {
return this.plans.filter(
(plan) => !plan.legacyYear && !plan.disabled && plan.product === this.product
);
}
additionalStoragePriceMonthly(selectedPlan: PlanResponse) {
if (!selectedPlan.isAnnual) {
return selectedPlan.additionalStoragePricePerGb;
}
return selectedPlan.additionalStoragePricePerGb / 12;
}
seatPriceMonthly(selectedPlan: PlanResponse) {
if (!selectedPlan.isAnnual) {
return selectedPlan.seatPrice;
}
return selectedPlan.seatPrice / 12;
}
additionalStorageTotal(plan: PlanResponse): number {
if (!plan.hasAdditionalStorageOption) {
return 0;
}
return plan.additionalStoragePricePerGb * Math.abs(this.additionalStorage || 0);
}
seatTotal(plan: PlanResponse): number {
if (!plan.hasAdditionalSeatsOption) {
return 0;
}
return plan.seatPrice * Math.abs(this.additionalSeats || 0);
}
get subtotal() {
let subTotal = this.selectedPlan.basePrice;
if (this.selectedPlan.hasAdditionalSeatsOption && this.additionalSeats) {
subTotal += this.seatTotal(this.selectedPlan);
}
if (this.selectedPlan.hasAdditionalStorageOption && this.additionalStorage) {
subTotal += this.additionalStorageTotal(this.selectedPlan);
}
if (this.selectedPlan.hasPremiumAccessOption && this.premiumAccessAddon) {
subTotal += this.selectedPlan.premiumAccessOptionPrice;
}
return subTotal - this.discount;
}
get freeTrial() {
return this.selectedPlan.trialPeriodDays != null;
}
get taxCharges() {
return this.taxComponent != null && this.taxComponent.taxRate != null
? (this.taxComponent.taxRate / 100) * this.subtotal
: 0;
}
get total() {
return this.subtotal + this.taxCharges || 0;
}
get paymentDesc() {
if (this.acceptingSponsorship) {
return this.i18nService.t("paymentSponsored");
} else if (this.freeTrial && this.createOrganization) {
return this.i18nService.t("paymentChargedWithTrial");
} else {
return this.i18nService.t("paymentCharged", this.i18nService.t(this.selectedPlanInterval));
}
}
changedProduct() {
this.plan = this.selectablePlans[0].type;
if (!this.selectedPlan.hasPremiumAccessOption) {
this.premiumAccessAddon = false;
}
if (!this.selectedPlan.hasAdditionalStorageOption) {
this.additionalStorage = 0;
}
if (!this.selectedPlan.hasAdditionalSeatsOption) {
this.additionalSeats = 0;
} else if (
!this.additionalSeats &&
!this.selectedPlan.baseSeats &&
this.selectedPlan.hasAdditionalSeatsOption
) {
this.additionalSeats = 1;
}
}
changedOwnedBusiness() {
if (!this.ownedBusiness || this.selectedPlan.canBeUsedByBusiness) {
return;
}
this.product = ProductType.Teams;
this.plan = PlanType.TeamsAnnually;
}
changedCountry() {
this.paymentComponent.hideBank = this.taxComponent.taxInfo.country !== "US";
// Bank Account payments are only available for US customers
if (
this.paymentComponent.hideBank &&
this.paymentComponent.method === PaymentMethodType.BankAccount
) {
this.paymentComponent.method = PaymentMethodType.Card;
this.paymentComponent.changeMethod();
}
}
cancel() {
this.onCanceled.emit();
}
async submit() {
this.singleOrgPolicyBlock = await this.userHasBlockingSingleOrgPolicy();
if (this.singleOrgPolicyBlock) {
return;
}
try {
const doSubmit = async (): Promise<string> => {
let orgId: string = null;
if (this.createOrganization) {
const shareKey = await this.cryptoService.makeShareKey();
const key = shareKey[0].encryptedString;
const collection = await this.cryptoService.encrypt(
this.i18nService.t("defaultCollection"),
shareKey[1]
);
const collectionCt = collection.encryptedString;
const orgKeys = await this.cryptoService.makeKeyPair(shareKey[1]);
if (this.selfHosted) {
orgId = await this.createSelfHosted(key, collectionCt, orgKeys);
} else {
orgId = await this.createCloudHosted(key, collectionCt, orgKeys, shareKey[1]);
}
this.platformUtilsService.showToast(
"success",
this.i18nService.t("organizationCreated"),
this.i18nService.t("organizationReadyToGo")
);
} else {
orgId = await this.updateOrganization(orgId);
this.platformUtilsService.showToast(
"success",
null,
this.i18nService.t("organizationUpgraded")
);
}
await this.apiService.refreshIdentityToken();
await this.syncService.fullSync(true);
if (!this.acceptingSponsorship) {
this.router.navigate(["/organizations/" + orgId]);
}
return orgId;
};
this.formPromise = doSubmit();
const organizationId = await this.formPromise;
this.onSuccess.emit({ organizationId: organizationId });
this.messagingService.send("organizationCreated", organizationId);
} catch (e) {
this.logService.error(e);
}
}
private async userHasBlockingSingleOrgPolicy() {
return this.policyService.policyAppliesToUser(PolicyType.SingleOrg);
}
private async updateOrganization(orgId: string) {
const request = new OrganizationUpgradeRequest();
request.businessName = this.ownedBusiness ? this.businessName : null;
request.additionalSeats = this.additionalSeats;
request.additionalStorageGb = this.additionalStorage;
request.premiumAccessAddon =
this.selectedPlan.hasPremiumAccessOption && this.premiumAccessAddon;
request.planType = this.selectedPlan.type;
request.billingAddressCountry = this.taxComponent.taxInfo.country;
request.billingAddressPostalCode = this.taxComponent.taxInfo.postalCode;
// Retrieve org info to backfill pub/priv key if necessary
const org = await this.organizationService.get(this.organizationId);
if (!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);
}
const result = await this.apiService.postOrganizationUpgrade(this.organizationId, request);
if (!result.success && result.paymentIntentClientSecret != null) {
await this.paymentComponent.handleStripeCardPayment(result.paymentIntentClientSecret, null);
}
return this.organizationId;
}
private async createCloudHosted(
key: string,
collectionCt: string,
orgKeys: [string, EncString],
orgKey: SymmetricCryptoKey
) {
const request = new OrganizationCreateRequest();
request.key = key;
request.collectionName = collectionCt;
request.name = this.name;
request.billingEmail = this.billingEmail;
request.keys = new OrganizationKeysRequest(orgKeys[0], orgKeys[1].encryptedString);
if (this.selectedPlan.type === PlanType.Free) {
request.planType = PlanType.Free;
} else {
const tokenResult = await this.paymentComponent.createPaymentToken();
request.paymentToken = tokenResult[0];
request.paymentMethodType = tokenResult[1];
request.businessName = this.ownedBusiness ? this.businessName : null;
request.additionalSeats = this.additionalSeats;
request.additionalStorageGb = this.additionalStorage;
request.premiumAccessAddon =
this.selectedPlan.hasPremiumAccessOption && this.premiumAccessAddon;
request.planType = this.selectedPlan.type;
request.billingAddressPostalCode = this.taxComponent.taxInfo.postalCode;
request.billingAddressCountry = this.taxComponent.taxInfo.country;
if (this.taxComponent.taxInfo.includeTaxId) {
request.taxIdNumber = this.taxComponent.taxInfo.taxId;
request.billingAddressLine1 = this.taxComponent.taxInfo.line1;
request.billingAddressLine2 = this.taxComponent.taxInfo.line2;
request.billingAddressCity = this.taxComponent.taxInfo.city;
request.billingAddressState = this.taxComponent.taxInfo.state;
}
}
if (this.providerId) {
const providerRequest = new ProviderOrganizationCreateRequest(this.clientOwnerEmail, request);
const providerKey = await this.cryptoService.getProviderKey(this.providerId);
providerRequest.organizationCreateRequest.key = (
await this.cryptoService.encrypt(orgKey.key, providerKey)
).encryptedString;
const orgId = (
await this.apiService.postProviderCreateOrganization(this.providerId, providerRequest)
).organizationId;
return orgId;
} else {
return (await this.apiService.postOrganization(request)).id;
}
}
private async createSelfHosted(key: string, collectionCt: string, orgKeys: [string, EncString]) {
const fileEl = document.getElementById("file") as HTMLInputElement;
const files = fileEl.files;
if (files == null || files.length === 0) {
throw new Error(this.i18nService.t("selectFile"));
}
const fd = new FormData();
fd.append("license", files[0]);
fd.append("key", key);
fd.append("collectionName", collectionCt);
const response = await this.apiService.postOrganizationLicense(fd);
const orgId = response.id;
// Org Keys live outside of the OrganizationLicense - add the keys to the org here
const request = new OrganizationKeysRequest(orgKeys[0], orgKeys[1].encryptedString);
await this.apiService.postOrganizationKeys(orgId, request);
return orgId;
}
}
| bitwarden/web/src/app/settings/organization-plans.component.ts/0 | {
"file_path": "bitwarden/web/src/app/settings/organization-plans.component.ts",
"repo_id": "bitwarden",
"token_count": 5123
} | 145 |
<div class="tabbed-nav d-flex flex-column">
<ul class="nav nav-tabs">
<ng-container *ngIf="showChangePassword">
<li class="nav-item">
<a class="nav-link" routerLink="change-password" routerLinkActive="active">
{{ "masterPassword" | i18n }}
</a>
</li>
</ng-container>
<li class="nav-item">
<a class="nav-link" routerLink="two-factor" routerLinkActive="active">
{{ "twoStepLogin" | i18n }}
</a>
</li>
<li class="nav-item">
<a class="nav-link" routerLink="security-keys" routerLinkActive="active">
{{ "keys" | i18n }}
</a>
</li>
</ul>
</div>
<router-outlet></router-outlet>
| bitwarden/web/src/app/settings/security.component.html/0 | {
"file_path": "bitwarden/web/src/app/settings/security.component.html",
"repo_id": "bitwarden",
"token_count": 305
} | 146 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="2faDuoTitle">
<div class="modal-dialog" role="document">
<div class="modal-content">
<div class="modal-header">
<h2 class="modal-title" title="2faDuoTitle">
{{ "twoStepLogin" | i18n }}
<small>Duo</small>
</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<app-two-factor-verify
[organizationId]="organizationId"
[type]="type"
(onAuthed)="auth($event)"
*ngIf="!authed"
>
</app-two-factor-verify>
<form
#form
(ngSubmit)="submit()"
[appApiAction]="formPromise"
ngNativeValidate
*ngIf="authed"
autocomplete="off"
>
<div class="modal-body">
<ng-container *ngIf="enabled">
<app-callout type="success" title="{{ 'enabled' | i18n }}" icon="bwi bwi-check-circle">
{{ "twoStepLoginProviderEnabled" | i18n }}
</app-callout>
<img class="float-right ml-3 mfaType2" alt="Duo logo" />
<strong>{{ "twoFactorDuoIntegrationKey" | i18n }}:</strong> {{ ikey }}
<br />
<strong>{{ "twoFactorDuoSecretKey" | i18n }}:</strong> {{ skey }}
<br />
<strong>{{ "twoFactorDuoApiHostname" | i18n }}:</strong> {{ host }}
</ng-container>
<ng-container *ngIf="!enabled">
<img class="float-right ml-3 mfaType2" alt="Duo logo" />
<p>{{ "twoFactorDuoDesc" | i18n }}</p>
<div class="form-group">
<label for="ikey">{{ "twoFactorDuoIntegrationKey" | i18n }}</label>
<input
id="ikey"
type="text"
name="IntegrationKey"
class="form-control"
[(ngModel)]="ikey"
required
appInputVerbatim
/>
</div>
<div class="form-group">
<label for="skey">{{ "twoFactorDuoSecretKey" | i18n }}</label>
<input
id="skey"
type="password"
name="SecretKey"
class="form-control"
[(ngModel)]="skey"
required
appInputVerbatim
autocomplete="new-password"
/>
</div>
<div class="form-group">
<label for="host">{{ "twoFactorDuoApiHostname" | i18n }}</label>
<input
id="host"
type="text"
name="Host"
class="form-control"
[(ngModel)]="host"
placeholder="{{ 'ex' | i18n }} api-xxxxxxxx.duosecurity.com"
required
appInputVerbatim
/>
</div>
</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-duo.component.html/0 | {
"file_path": "bitwarden/web/src/app/settings/two-factor-duo.component.html",
"repo_id": "bitwarden",
"token_count": 2084
} | 147 |
<form #form (ngSubmit)="submit()" [appApiAction]="formPromise" ngNativeValidate>
<div class="form-group">
<label for="file" class="sr-only">{{ "licenseFile" | i18n }}</label>
<input type="file" id="file" class="form-control-file" name="file" required />
<small class="form-text text-muted">{{
"licenseFileDesc"
| i18n
: (!organizationId
? "bitwarden_premium_license.json"
: "bitwarden_organization_license.json")
}}</small>
</div>
<button type="submit" class="btn btn-primary btn-submit" [disabled]="form.loading">
<i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i>
<span>{{ "submit" | i18n }}</span>
</button>
<button type="button" class="btn btn-outline-secondary" (click)="cancel()">
{{ "cancel" | i18n }}
</button>
</form>
| bitwarden/web/src/app/settings/update-license.component.html/0 | {
"file_path": "bitwarden/web/src/app/settings/update-license.component.html",
"repo_id": "bitwarden",
"token_count": 361
} | 148 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="passHistoryTitle">
<div class="modal-dialog modal-dialog-scrollable" role="document">
<div class="modal-content">
<div class="modal-header">
<h2 class="modal-title" id="passHistoryTitle">{{ "passwordHistory" | i18n }}</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<div class="modal-body" *ngIf="history.length">
<ul class="list-group list-group-flush">
<li class="list-group-item d-flex" *ngFor="let h of history">
<div class="password-row">
<div
class="text-monospace generated-wrapper"
[innerHTML]="h.password | colorPassword"
appSelectCopy
></div>
<small class="text-muted">{{ h.date | date: "medium" }}</small>
</div>
<div class="ml-auto">
<button
class="btn btn-link"
appA11yTitle="{{ 'copyPassword' | i18n }}"
(click)="copy(h.password)"
>
<i class="bwi bwi-lg bwi-clone" aria-hidden="true"></i>
</button>
</div>
</li>
</ul>
</div>
<div class="modal-body" *ngIf="!history.length">
{{ "noPasswordsInList" | i18n }}
</div>
<div class="modal-footer">
<button type="button" class="btn btn-outline-secondary" data-dismiss="modal">
{{ "close" | i18n }}
</button>
<div class="ml-auto">
<button
type="button"
(click)="clear()"
class="btn btn-outline-danger"
appA11yTitle="{{ 'clear' | i18n }}"
>
<i class="bwi bwi-trash bwi-lg bwi-fw" aria-hidden="true"></i>
</button>
</div>
</div>
</div>
</div>
</div>
| bitwarden/web/src/app/tools/password-generator-history.component.html/0 | {
"file_path": "bitwarden/web/src/app/tools/password-generator-history.component.html",
"repo_id": "bitwarden",
"token_count": 1105
} | 149 |
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="restoreSelectedTitle">
<div class="modal-dialog modal-dialog-scrollable modal-sm" role="document">
<form class="modal-content" #form (ngSubmit)="submit()" [appApiAction]="formPromise">
<div class="modal-header">
<h2 class="modal-title" id="restoreSelectedTitle">
{{ "restoreSelected" | i18n }}
</h2>
<button
type="button"
class="close"
data-dismiss="modal"
appA11yTitle="{{ 'close' | i18n }}"
>
<span aria-hidden="true">×</span>
</button>
</div>
<div class="modal-body">
{{ "restoreSelectedItemsDesc" | i18n: cipherIds.length }}
</div>
<div class="modal-footer">
<button
appAutoFocus
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>{{ "restore" | i18n }}</span>
</button>
<button type="button" class="btn btn-outline-secondary" data-dismiss="modal">
{{ "cancel" | i18n }}
</button>
</div>
</form>
</div>
</div>
| bitwarden/web/src/app/vault/bulk-restore.component.html/0 | {
"file_path": "bitwarden/web/src/app/vault/bulk-restore.component.html",
"repo_id": "bitwarden",
"token_count": 637
} | 150 |
<!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 Captcha Connector</title>
</head>
<body>
<div id="captcha"></div>
</body>
</html>
| bitwarden/web/src/connectors/captcha.html/0 | {
"file_path": "bitwarden/web/src/connectors/captcha.html",
"repo_id": "bitwarden",
"token_count": 184
} | 151 |
import { b64Decode, getQsParam } from "./common";
import { buildDataString, parseWebauthnJson } from "./common-webauthn";
require("./webauthn.scss");
const mobileCallbackUri = "bitwarden://webauthn-callback";
let parsed = false;
let webauthnJson: any;
let headerText: string = null;
let btnText: string = null;
let btnReturnText: string = null;
let parentUrl: string = null;
let parentOrigin: string = null;
let mobileResponse = false;
let stopWebAuthn = false;
let sentSuccess = false;
let obj: any = null;
document.addEventListener("DOMContentLoaded", () => {
init();
parseParameters();
if (headerText) {
const header = document.getElementById("webauthn-header");
header.innerText = decodeURI(headerText);
}
if (btnText) {
const button = document.getElementById("webauthn-button");
button.innerText = decodeURI(btnText);
button.onclick = executeWebAuthn;
}
});
function init() {
start();
onMessage();
info("ready");
}
function parseParameters() {
if (parsed) {
return;
}
parentUrl = getQsParam("parent");
if (!parentUrl) {
error("No parent.");
return;
} else {
parentUrl = decodeURIComponent(parentUrl);
parentOrigin = new URL(parentUrl).origin;
}
const version = getQsParam("v");
if (version === "1") {
parseParametersV1();
} else {
parseParametersV2();
}
parsed = true;
}
function parseParametersV1() {
const data = getQsParam("data");
if (!data) {
error("No data.");
return;
}
webauthnJson = b64Decode(data);
headerText = getQsParam("headerText");
btnText = getQsParam("btnText");
btnReturnText = getQsParam("btnReturnText");
}
function parseParametersV2() {
let dataObj: {
data: any;
headerText: string;
btnText: string;
btnReturnText: string;
callbackUri?: string;
mobile?: boolean;
} = null;
try {
dataObj = JSON.parse(b64Decode(getQsParam("data")));
} catch (e) {
error("Cannot parse data.");
return;
}
mobileResponse = dataObj.callbackUri != null || dataObj.mobile === true;
webauthnJson = dataObj.data;
headerText = dataObj.headerText;
btnText = dataObj.btnText;
btnReturnText = dataObj.btnReturnText;
}
function start() {
sentSuccess = false;
if (!("credentials" in navigator)) {
error("WebAuthn is not supported in this browser.");
return;
}
parseParameters();
if (!webauthnJson) {
error("No data.");
return;
}
try {
obj = parseWebauthnJson(webauthnJson);
} catch (e) {
error("Cannot parse webauthn data.");
return;
}
stopWebAuthn = false;
if (
mobileResponse ||
(navigator.userAgent.indexOf(" Safari/") !== -1 && navigator.userAgent.indexOf("Chrome") === -1)
) {
// Safari and mobile chrome blocks non-user initiated WebAuthn requests.
} else {
executeWebAuthn();
}
}
function executeWebAuthn() {
if (stopWebAuthn) {
return;
}
navigator.credentials.get({ publicKey: obj }).then(success).catch(error);
}
function onMessage() {
window.addEventListener(
"message",
(event) => {
if (!event.origin || event.origin === "" || event.origin !== parentOrigin) {
return;
}
if (event.data === "stop") {
stopWebAuthn = true;
} else if (event.data === "start" && stopWebAuthn) {
start();
}
},
false
);
}
function error(message: string) {
if (mobileResponse) {
document.location.replace(mobileCallbackUri + "?error=" + encodeURIComponent(message));
returnButton(mobileCallbackUri + "?error=" + encodeURIComponent(message));
} else {
parent.postMessage("error|" + message, parentUrl);
}
}
function success(assertedCredential: PublicKeyCredential) {
if (sentSuccess) {
return;
}
const dataString = buildDataString(assertedCredential);
if (mobileResponse) {
document.location.replace(mobileCallbackUri + "?data=" + encodeURIComponent(dataString));
returnButton(mobileCallbackUri + "?data=" + encodeURIComponent(dataString));
} else {
parent.postMessage("success|" + dataString, parentUrl);
sentSuccess = true;
}
}
function info(message: string) {
if (mobileResponse) {
return;
}
parent.postMessage("info|" + message, parentUrl);
}
function returnButton(uri: string) {
// provides 'return' button in case scripted navigation is blocked
const button = document.getElementById("webauthn-button");
button.innerText = decodeURI(btnReturnText);
button.onclick = () => {
document.location.replace(uri);
};
}
| bitwarden/web/src/connectors/webauthn.ts/0 | {
"file_path": "bitwarden/web/src/connectors/webauthn.ts",
"repo_id": "bitwarden",
"token_count": 1643
} | 152 |
{
"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": "Адрес"
},
"uriPosition": {
"message": "Адрес $POSITION$",
"description": "A listing of URIs. Ex: URI 1, URI 2, URI 3, etc.",
"placeholders": {
"position": {
"content": "$1",
"example": "2"
}
}
},
"newUri": {
"message": "Нов адрес"
},
"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": "Свързано",
"description": "This describes a field that is 'linked' (related) to another field."
},
"remove": {
"message": "Премахване"
},
"unassigned": {
"message": "Незададено"
},
"noneFolder": {
"message": "Няма папка",
"description": "This is the folder for uncategorized items"
},
"addFolder": {
"message": "Добавяне на папка"
},
"editFolder": {
"message": "Редактиране на папка"
},
"baseDomain": {
"message": "Основен домейн",
"description": "Domain name. Ex. website.com"
},
"domainName": {
"message": "Име на домейн",
"description": "Domain name. Ex. website.com"
},
"host": {
"message": "Сървър",
"description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'."
},
"exact": {
"message": "Точно"
},
"startsWith": {
"message": "Започва с"
},
"regEx": {
"message": "Регулярен израз",
"description": "A programming term, also known as 'RegEx'."
},
"matchDetection": {
"message": "Откриване на съвпадения",
"description": "URI match detection for auto-fill."
},
"defaultMatchDetection": {
"message": "Стандартно откриване на съвпадения",
"description": "Default URI match detection for auto-fill."
},
"never": {
"message": "Никога"
},
"toggleVisibility": {
"message": "Превключване на видимостта"
},
"toggleCollapse": {
"message": "Превключване на свиването",
"description": "Toggling an expand/collapse state."
},
"generatePassword": {
"message": "Нова парола"
},
"checkPassword": {
"message": "Проверка дали паролата е разкрита."
},
"passwordExposed": {
"message": "Паролата е била разкрита поне $VALUE$ път/и в масивите с изтеклите данни. Непременно я сменете.",
"placeholders": {
"value": {
"content": "$1",
"example": "2"
}
}
},
"passwordSafe": {
"message": "Паролата не е била разкрита в известните масиви с изтекли данни. Засега ползването ѝ изглежда безопасно."
},
"save": {
"message": "Запазване"
},
"cancel": {
"message": "Отказ"
},
"canceled": {
"message": "Отказано"
},
"close": {
"message": "Затваряне"
},
"delete": {
"message": "Изтриване"
},
"favorite": {
"message": "Любими"
},
"unfavorite": {
"message": "Изваждане от любими"
},
"edit": {
"message": "Редактиране"
},
"searchCollection": {
"message": "Търсене в колекцията"
},
"searchFolder": {
"message": "Търсене в папката"
},
"searchFavorites": {
"message": "Търсене в любими"
},
"searchType": {
"message": "Търсене по вид",
"description": "Search item type"
},
"searchVault": {
"message": "Търсене в трезора"
},
"allItems": {
"message": "Всички елементи"
},
"favorites": {
"message": "Любими"
},
"types": {
"message": "Видове"
},
"typeLogin": {
"message": "Запис"
},
"typeCard": {
"message": "Карта"
},
"typeIdentity": {
"message": "Самоличност"
},
"typeSecureNote": {
"message": "Защитена бележка"
},
"typeLoginPlural": {
"message": "Записи"
},
"typeCardPlural": {
"message": "Карти"
},
"typeIdentityPlural": {
"message": "Самоличности"
},
"typeSecureNotePlural": {
"message": "Защитени бележки"
},
"folders": {
"message": "Папки"
},
"collections": {
"message": "Колекции"
},
"firstName": {
"message": "Собствено име"
},
"middleName": {
"message": "Презиме"
},
"lastName": {
"message": "Фамилно име"
},
"fullName": {
"message": "Пълно име"
},
"address1": {
"message": "Адрес 1"
},
"address2": {
"message": "Адрес 2"
},
"address3": {
"message": "Адрес 3"
},
"cityTown": {
"message": "Населено място"
},
"stateProvince": {
"message": "Област"
},
"zipPostalCode": {
"message": "Пощенски код"
},
"country": {
"message": "Държава"
},
"shared": {
"message": "Споделено"
},
"attachments": {
"message": "Прикачени файлове"
},
"select": {
"message": "Избор"
},
"addItem": {
"message": "Добавяне на елемент"
},
"editItem": {
"message": "Редактиране на елемента"
},
"viewItem": {
"message": "Преглед на елемента"
},
"ex": {
"message": "напр.",
"description": "Short abbreviation for 'example'."
},
"other": {
"message": "Други"
},
"share": {
"message": "Споделяне"
},
"moveToOrganization": {
"message": "Преместване в организация"
},
"valueCopied": {
"message": "$VALUE$ — копирано",
"description": "Value has been copied to the clipboard.",
"placeholders": {
"value": {
"content": "$1",
"example": "Password"
}
}
},
"copyValue": {
"message": "Копиране на стойността",
"description": "Copy value to clipboard"
},
"copyPassword": {
"message": "Копиране на паролата",
"description": "Copy password to clipboard"
},
"copyUsername": {
"message": "Копиране на потребителското име",
"description": "Copy username to clipboard"
},
"copyNumber": {
"message": "Копиране на но̀мера",
"description": "Copy credit card number"
},
"copySecurityCode": {
"message": "Копиране на кода за сигурност",
"description": "Copy credit card security code (CVV)"
},
"copyUri": {
"message": "Копиране на адреса",
"description": "Copy URI to clipboard"
},
"myVault": {
"message": "Моят трезор"
},
"vault": {
"message": "Трезор"
},
"moveSelectedToOrg": {
"message": "Преместване на избраните в организация"
},
"deleteSelected": {
"message": "Изтриване на избраното"
},
"moveSelected": {
"message": "Преместване на избраното"
},
"selectAll": {
"message": "Избиране на всичко"
},
"unselectAll": {
"message": "Без избиране"
},
"launch": {
"message": "Пускане"
},
"newAttachment": {
"message": "Прикачване на файл"
},
"deletedAttachment": {
"message": "Прикаченият файл е изтрит"
},
"deleteAttachmentConfirmation": {
"message": "Сигурни ли сте, че искате да изтриете прикачения файл?"
},
"attachmentSaved": {
"message": "Прикаченият файл е запазен."
},
"file": {
"message": "Файл"
},
"selectFile": {
"message": "Избор на файл."
},
"maxFileSize": {
"message": "Големината на файла е най-много 500 MB."
},
"updateKey": {
"message": "Трябва да обновите шифриращия си ключ, за да използвате тази възможност."
},
"addedItem": {
"message": "Елементът е добавен"
},
"editedItem": {
"message": "Елементът е редактиран"
},
"movedItemToOrg": {
"message": "$ITEMNAME$ се премести в $ORGNAME$",
"placeholders": {
"itemname": {
"content": "$1",
"example": "Secret Item"
},
"orgname": {
"content": "$2",
"example": "Company Name"
}
}
},
"movedItemsToOrg": {
"message": "Избраните записи бяха преместени в $ORGNAME$",
"placeholders": {
"orgname": {
"content": "$1",
"example": "Company Name"
}
}
},
"deleteItem": {
"message": "Изтриване на елемента"
},
"deleteFolder": {
"message": "Изтриване на папка"
},
"deleteAttachment": {
"message": "Изтриване на прикачения файл"
},
"deleteItemConfirmation": {
"message": "Сигурни ли сте, че искате да изтриете елемента?"
},
"deletedItem": {
"message": "Елементът е изтрит"
},
"deletedItems": {
"message": "Елементите са изтрити"
},
"movedItems": {
"message": "Елементите са преместени"
},
"overwritePasswordConfirmation": {
"message": "Сигурни ли сте, че искате да обновите текущата парола?"
},
"editedFolder": {
"message": "Редактирана папка"
},
"addedFolder": {
"message": "Добавена папка"
},
"deleteFolderConfirmation": {
"message": "Сигурни ли сте, че искате да изтриете тази папка?"
},
"deletedFolder": {
"message": "Изтрита папка"
},
"loggedOut": {
"message": "Бяхте отписани"
},
"loginExpired": {
"message": "Сесията ви изтече."
},
"logOutConfirmation": {
"message": "Сигурни ли сте, че искате да се отпишете?"
},
"logOut": {
"message": "Отписване"
},
"ok": {
"message": "Добре"
},
"yes": {
"message": "Да"
},
"no": {
"message": "Не"
},
"loginOrCreateNewAccount": {
"message": "Впишете се или създайте нов абонамент, за да достъпите защитен трезор."
},
"createAccount": {
"message": "Създаване на абонамент"
},
"logIn": {
"message": "Вписване"
},
"submit": {
"message": "Подаване"
},
"emailAddressDesc": {
"message": "Ще се вписвате с адреса на електронната си поща."
},
"yourName": {
"message": "Името ви"
},
"yourNameDesc": {
"message": "Как да ви наричаме?"
},
"masterPass": {
"message": "Главна парола"
},
"masterPassDesc": {
"message": "Главната парола се използва за достъп до трезора ви. Запомнете я добре, защото възстановяването ѝ е абсолютно невъзможно."
},
"masterPassHintDesc": {
"message": "Ако сте забравили главната парола, то подсказването може да ви помогне да си я припомните."
},
"reTypeMasterPass": {
"message": "Въведете пак главната парола"
},
"masterPassHint": {
"message": "Подсказка за главната парола (по избор)"
},
"masterPassHintLabel": {
"message": "Подсказка за главната парола"
},
"settings": {
"message": "Настройки"
},
"passwordHint": {
"message": "Подсказка за паролата"
},
"enterEmailToGetHint": {
"message": "Въведете адреса на електронната си поща, за да получите подсказка за главната парола."
},
"getMasterPasswordHint": {
"message": "Подсказка за главната парола"
},
"emailRequired": {
"message": "Електронната поща е задължителна."
},
"invalidEmail": {
"message": "Недействителна електронна поща."
},
"masterPassRequired": {
"message": "Главната парола е задължителна."
},
"masterPassLength": {
"message": "Главната парола трябва да съдържа поне 8 знака."
},
"masterPassDoesntMatch": {
"message": "Главната парола и потвърждението ѝ не съвпадат."
},
"newAccountCreated": {
"message": "Абонаментът ви бе създаден. Вече можете да се впишете."
},
"masterPassSent": {
"message": "Изпратихме ви писмо с подсказка за главната ви парола."
},
"unexpectedError": {
"message": "Възникна неочаквана грешка."
},
"emailAddress": {
"message": "Адрес на електронната поща"
},
"yourVaultIsLocked": {
"message": "Трезорът е заключен — въведете главната си парола, за да продължите."
},
"unlock": {
"message": "Отключване"
},
"loggedInAsEmailOn": {
"message": "Вписани сте като $EMAIL$ на $HOSTNAME$.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
},
"hostname": {
"content": "$2",
"example": "bitwarden.com"
}
}
},
"invalidMasterPassword": {
"message": "Грешна главна парола"
},
"lockNow": {
"message": "Заключване сега"
},
"noItemsInList": {
"message": "Няма елементи за показване."
},
"noCollectionsInList": {
"message": "Няма колекции за показване."
},
"noGroupsInList": {
"message": "Няма групи за показване."
},
"noUsersInList": {
"message": "Няма потребители за показване."
},
"noEventsInList": {
"message": "Няма събития за показване."
},
"newOrganization": {
"message": "Нова организация"
},
"noOrganizationsList": {
"message": "Не сте член на никоя организация. Организациите позволяват да споделяте записи с други потребители по защитен начин."
},
"versionNumber": {
"message": "Версия $VERSION_NUMBER$",
"placeholders": {
"version_number": {
"content": "$1",
"example": "1.2.3"
}
}
},
"enterVerificationCodeApp": {
"message": "Въведете шестцифрения код за потвърждение от приложението за удостоверяване."
},
"enterVerificationCodeEmail": {
"message": "Въведете шестцифрения код за потвърждение, който е бил изпратен на $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"verificationCodeEmailSent": {
"message": "Писмото за потвърждение е изпратено на $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"rememberMe": {
"message": "Запомняне"
},
"sendVerificationCodeEmailAgain": {
"message": "Повторно изпращане на писмото за потвърждение"
},
"useAnotherTwoStepMethod": {
"message": "Използвайте друг начин на двустепенно удостоверяване"
},
"insertYubiKey": {
"message": "Поставете устройството на YubiKey в USB порт на компютъра и натиснете бутона на устройството."
},
"insertU2f": {
"message": "Поставете устройството за удостоверяване в USB порт на компютъра. Ако на устройството има бутон, натиснете го."
},
"loginUnavailable": {
"message": "Записът липсва"
},
"noTwoStepProviders": {
"message": "Абонаментът е защитен с двустепенно удостоверяване, но никой от настроените доставчици на удостоверяване не се поддържа от този браузър."
},
"noTwoStepProviders2": {
"message": "Пробвайте с поддържан уеб браузър (като Chrome или Firefox) и други доставчици на удостоверяване, които се поддържат от браузърите (като специални програми за удостоверяване)."
},
"twoStepOptions": {
"message": "Настройки на двустепенното удостоверяване"
},
"recoveryCodeDesc": {
"message": "Ако сте загубили достъп до двустепенното удостоверяване, може да използвате код за възстановяване, за да изключите двустепенното удостоверяване в абонамента си."
},
"recoveryCodeTitle": {
"message": "Код за възстановяване"
},
"authenticatorAppTitle": {
"message": "Приложение за удостоверяване"
},
"authenticatorAppDesc": {
"message": "Използвайте приложение за удостоверяване (като Authy или Google Authenticator) за генерирането на временни кодове за потвърждение.",
"description": "'Authy' and 'Google Authenticator' are product names and should not be translated."
},
"yubiKeyTitle": {
"message": "Устройство YubiKey OTP"
},
"yubiKeyDesc": {
"message": "Използвайте устройство на YubiKey, за да влезете в абонамента си. Поддържат се моделите YubiKey 4, 4 Nano, 4C и NEO."
},
"duoDesc": {
"message": "Удостоверяване чрез Duo Security, с ползване на приложението Duo Mobile, SMS, телефонен разговор или устройство U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"duoOrganizationDesc": {
"message": "Удостоверяване чрез Duo Security за организацията ви, с ползване на приложението Duo Mobile, SMS, телефонен разговор или устройство U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"u2fDesc": {
"message": "Използвайте всяко устройство, поддържащо FIDO U2F, за да влезете в абонамента си."
},
"u2fTitle": {
"message": "Устройство FIDO U2F"
},
"webAuthnTitle": {
"message": "FIDO2 WebAuthn"
},
"webAuthnDesc": {
"message": "Използвайте всяко устройство, поддържащо WebAuthn, за да влезете в абонамента си."
},
"webAuthnMigrated": {
"message": "(Мигрирано от FIDO)"
},
"emailTitle": {
"message": "Електронна поща"
},
"emailDesc": {
"message": "Кодовете за потвърждение ще ви бъдат пратени по електронна поща."
},
"continue": {
"message": "Продължаване"
},
"organization": {
"message": "Организация"
},
"organizations": {
"message": "Организации"
},
"moveToOrgDesc": {
"message": "Изберете организацията, в която искате да преместите записа. Преместването прехвърля собствеността му към новата организация. След това няма вече директно да го притежавате."
},
"moveManyToOrgDesc": {
"message": "Изберете организацията, в която искате да преместите избраните записи. Преместването прехвърля собствеността им към новата организация. След това няма вече директно да ги притежавате."
},
"collectionsDesc": {
"message": "Редактиране на колекциите, с които записът е споделен. Само потребителите на организациите, с които колекцията е споделена, ще виждат записа."
},
"deleteSelectedItemsDesc": {
"message": "За изтриване сте избрали $COUNT$ елемента/и. Сигурни ли сте, че искате да ги изтриете?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsDesc": {
"message": "Избор на папка, в която да се преместят $COUNT$ избрани записи.",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsCountDesc": {
"message": "Избрали сте $COUNT$ запис(а). От тях могат да се преместят: $MOVEABLE_COUNT$, не могат да се преместят: $NONMOVEABLE_COUNT$.",
"placeholders": {
"count": {
"content": "$1",
"example": "10"
},
"moveable_count": {
"content": "$2",
"example": "8"
},
"nonmoveable_count": {
"content": "$3",
"example": "2"
}
}
},
"verificationCodeTotp": {
"message": "Код за потвърждаване (TOTP)"
},
"copyVerificationCode": {
"message": "Копиране на кода за потвърждаване"
},
"warning": {
"message": "ВНИМАНИЕ"
},
"confirmVaultExport": {
"message": "Потвърждаване на изнасянето на трезора"
},
"exportWarningDesc": {
"message": "Данните от трезора ви ще се изнесат в незащитен формат. Не го пращайте по незащитени канали като електронна поща. Изтрийте файла незабавно след като свършите работата си с него."
},
"encExportKeyWarningDesc": {
"message": "При изнасяне данните се шифрират с ключа ви. Ако го смените, ще трябва наново да ги изнесете, защото няма да може да дешифрирате настоящия файл."
},
"encExportAccountWarningDesc": {
"message": "Ключовете за шифриране са уникални за всеки потребител, затова не може да внесете шифрирани данни от един потребител в регистрацията на друг."
},
"export": {
"message": "Изнасяне"
},
"exportVault": {
"message": "Изнасяне на трезора"
},
"fileFormat": {
"message": "Формат на файла"
},
"exportSuccess": {
"message": "Данните от трезора ви са изнесени."
},
"passwordGenerator": {
"message": "Създаване на пароли"
},
"minComplexityScore": {
"message": "Минимална сложност"
},
"minNumbers": {
"message": "Минимален брой цифри"
},
"minSpecial": {
"message": "Минимален брой специални знаци",
"description": "Minimum Special Characters"
},
"ambiguous": {
"message": "Без нееднозначни знаци"
},
"regeneratePassword": {
"message": "Друга парола"
},
"length": {
"message": "Дължина"
},
"numWords": {
"message": "Брой думи"
},
"wordSeparator": {
"message": "Разделител за думи"
},
"capitalize": {
"message": "Главни букви",
"description": "Make the first letter of a work uppercase."
},
"includeNumber": {
"message": "И цифри"
},
"passwordHistory": {
"message": "Хронология на паролата"
},
"noPasswordsInList": {
"message": "Няма пароли за показване."
},
"clear": {
"message": "Изчистване",
"description": "To clear something out. example: To clear browser history."
},
"accountUpdated": {
"message": "Абонаментът е обновен"
},
"changeEmail": {
"message": "Промяна на адреса за е-поща"
},
"changeEmailTwoFactorWarning": {
"message": "Действието ще промени електронната поща свързана с регистрацията Ви. Електронната поща, която ползвате за двустепенно удостоверяване няма да бъде променена. Можете да я промените в настройките на двустепенното удостоверяване."
},
"newEmail": {
"message": "Нов адрес за електронна поща"
},
"code": {
"message": "Код"
},
"changeEmailDesc": {
"message": "Пратили сме кода за потвърждаване на $EMAIL$. Проверете електронната си поща за писмо с този код и го въведете по-долу, за да завършите процеса на смяна на адреса на електронна поща.",
"placeholders": {
"email": {
"content": "$1",
"example": "john.smith@example.com"
}
}
},
"loggedOutWarning": {
"message": "Действието ще прекрати и текущата ви сесия, след което ще се наложи отново да се впишете. Активните сесии на другите устройства може да останат такива до един час."
},
"emailChanged": {
"message": "Електронната поща е сменена"
},
"logBackIn": {
"message": "Впишете се отново."
},
"logBackInOthersToo": {
"message": "Впишете се отново. Ако използвате и други приложения на Битуорден, впишете се отново и в тях."
},
"changeMasterPassword": {
"message": "Промяна на главната парола"
},
"masterPasswordChanged": {
"message": "Главната парола е променена"
},
"currentMasterPass": {
"message": "Текуща главна парола"
},
"newMasterPass": {
"message": "Нова главна парола"
},
"confirmNewMasterPass": {
"message": "Потвърждаване на новата главна парола"
},
"encKeySettings": {
"message": "Настройки на шифриращия ключ"
},
"kdfAlgorithm": {
"message": "Алгоритъм KDF"
},
"kdfIterations": {
"message": "Повторения за KDF"
},
"kdfIterationsDesc": {
"message": "По-големият брой повторения за KDF спомага за защитата на главната ви парола от атака с грубо изброяване. Препоръчваме ви стойност $VALUE$ или повече.",
"placeholders": {
"value": {
"content": "$1",
"example": "100,000"
}
}
},
"kdfIterationsWarning": {
"message": "Задаването на прекалено голяма стойност на повторенията на KDF може да доведе до бавно вписване и отключване на трезора на Битуорден при работа от устройства с бавни процесори. Препоръчваме ви да увеличавате стойността на стъпки по $INCREMENT$ и да тествате на всичките си устройства.",
"placeholders": {
"increment": {
"content": "$1",
"example": "50,000"
}
}
},
"changeKdf": {
"message": "Смяна на KDF"
},
"encKeySettingsChanged": {
"message": "Настройките за шифриращия ключ са сменени"
},
"dangerZone": {
"message": "ОПАСНО"
},
"dangerZoneDesc": {
"message": "Внимание, тези действия са необратими!"
},
"deauthorizeSessions": {
"message": "Прекратяване на сесии"
},
"deauthorizeSessionsDesc": {
"message": "Ако се притеснявате, че сте влезли от друго устройство, може да прекратите влизанията от всички устройства, които сте ползвали досега. Препоръчваме ви да направите това, ако сте достъпвали трезора през споделено устройство или погрешка сте запазили паролата върху чуждо устройство. Тази стъпка изчиства и всички запомнени сесии с двустепенни идентификации."
},
"deauthorizeSessionsWarning": {
"message": "Действието ще прекрати и текущата ви сесия, след което ще се наложи отново да се впишете. Ако сте включили двустепенна идентификация, ще се наложи да повторите и нея. Активните сесии на другите устройства може да останат такива до един час."
},
"sessionsDeauthorized": {
"message": "Всички сесии са прекратени"
},
"purgeVault": {
"message": "Пълно изчистване на трезора"
},
"purgedOrganizationVault": {
"message": "Трезорът на организацията е напълно изчистен."
},
"vaultAccessedByProvider": {
"message": "Vault accessed by provider."
},
"purgeVaultDesc": {
"message": "Ако продължите, ще изтриете всички папки и записи в трезора ви. Елементите, които са споделени и принадлежат на организации, няма да бъдат изтрити."
},
"purgeOrgVaultDesc": {
"message": "Ако продължите, ще изтриете всички папки и записи в трезора на организацията."
},
"purgeVaultWarning": {
"message": "Изчистването на трезора е окончателно и необратимо."
},
"vaultPurged": {
"message": "Трезорът ви е напълно изчистен."
},
"deleteAccount": {
"message": "Изтриване на абонамента"
},
"deleteAccountDesc": {
"message": "Ако продължите, ще изтриете абонамента си и всички притежавани данни."
},
"deleteAccountWarning": {
"message": "Изтриването на абонамента е окончателно и необратимо."
},
"accountDeleted": {
"message": "Абонаментът е изтрит"
},
"accountDeletedDesc": {
"message": "Абонаментът ви е окончателно прекратен и всички данни към него са изтрити."
},
"myAccount": {
"message": "Абонамент"
},
"tools": {
"message": "Инструменти"
},
"importData": {
"message": "Внасяне на данни"
},
"importError": {
"message": "Грешка при внасянето"
},
"importErrorDesc": {
"message": "Има проблем с данните, които внасяте. Поправете грешките посочени по-долу и пробвайте отново."
},
"importSuccess": {
"message": "Данните са внесени успешно в трезора ви."
},
"importWarning": {
"message": "Внасяте данни към организацията „$ORGANIZATION$“. Данните могат да бъдат споделени с членовете ѝ. Сигурни ли сте, че искате да продължите?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"importFormatError": {
"message": "Данните са в неправилен формат. Проверете файла за внасяне и пробвайте отново."
},
"importNothingError": {
"message": "Нищо не бе внесено."
},
"importEncKeyError": {
"message": "Грешка при дешифрирането на изнесения файл. Ключът за шифриране не отговаря на този, който е използван за изнасянето на данните."
},
"selectFormat": {
"message": "Избор на форма̀та на файла за внасяне"
},
"selectImportFile": {
"message": "Изберете файла за внасяне"
},
"orCopyPasteFileContents": {
"message": "или поставете съдържанието му"
},
"instructionsFor": {
"message": "Инструкции за $NAME$",
"description": "The title for the import tool instructions.",
"placeholders": {
"name": {
"content": "$1",
"example": "LastPass (csv)"
}
}
},
"options": {
"message": "Настройки"
},
"optionsDesc": {
"message": "Настройки на трезора по уеб."
},
"optionsUpdated": {
"message": "Обновени настройки"
},
"language": {
"message": "Език"
},
"languageDesc": {
"message": "Смяна на езика на интерфейса. Ще трябва да пуснете програмата повторно."
},
"disableIcons": {
"message": "Изключване на иконите на сайтовете"
},
"disableIconsDesc": {
"message": "Иконите на сайтовете са разпознаваеми изображения към записите за вход в трезора."
},
"enableGravatars": {
"message": "Включване на граватари",
"description": "'Gravatar' is the name of a service. See www.gravatar.com"
},
"enableGravatarsDesc": {
"message": "Използване на иконки за потребители от сайта „gravatar.com“."
},
"enableFullWidth": {
"message": "Извеждане на цяла широчина",
"description": "Allows scaling the web vault UI's width"
},
"enableFullWidthDesc": {
"message": "Трезорът по уеб да заема цялата широчина на прозореца на браузъра."
},
"default": {
"message": "Стандартно"
},
"domainRules": {
"message": "Правила за домейни"
},
"domainRulesDesc": {
"message": "Ако ползвате същите регистрации с много домейни, може да обявите домейните като еквиваленти. Глобалните еквиваленти са зададени от Битуорден."
},
"globalEqDomains": {
"message": "Глобални домейни-еквиваленти"
},
"customEqDomains": {
"message": "Потребителски домейни-еквиваленти"
},
"exclude": {
"message": "Изваждане"
},
"include": {
"message": "Добавяне"
},
"customize": {
"message": "Настройки"
},
"newCustomDomain": {
"message": "Нов домейн"
},
"newCustomDomainDesc": {
"message": "Въведете списък с домейни, разделени със запетаи. Позволени са само основни домейни, не въвеждайте поддомейни. Напр. ползвайте „google.com“ вместо „www.google.com“. Може да ползвате и варианти като \"androidapp://package.name\", за да добавите и приложение."
},
"customDomainX": {
"message": "Потребителски домейни $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"domainsUpdated": {
"message": "Домейните са обновени"
},
"twoStepLogin": {
"message": "Двустепенно удостоверяване"
},
"twoStepLoginDesc": {
"message": "Допълнителна защита на абонамента чрез изискването на допълнително действие при вписване."
},
"twoStepLoginOrganizationDesc": {
"message": "Може да изискате двустепенна идентификация за всички потребители в организацията ви, като настроите доставчиците на ниво организация."
},
"twoStepLoginRecoveryWarning": {
"message": "Включването на двустепенна идентификация може завинаги да предотврати вписването ви в абонамента към Битуорден. Кодът за възстановяване ще ви позволи да достъпите абонамента дори и да имате проблем с доставчика на двустепенна идентификация (напр. ако изгубите устройството си). Дори и екипът по поддръжката към няма да ви помогне в такъв случай. Силно препоръчваме да отпечатате или запишете кодовете и да ги пазете на надеждно място."
},
"viewRecoveryCode": {
"message": "Извеждане на кодовете за възстановяване"
},
"providers": {
"message": "Доставчици",
"description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc."
},
"enable": {
"message": "Включване"
},
"enabled": {
"message": "Включено"
},
"premium": {
"message": "Платен",
"description": "Premium Membership"
},
"premiumMembership": {
"message": "Платен абонамент"
},
"premiumRequired": {
"message": "Изисква се платен абонамент"
},
"premiumRequiredDesc": {
"message": "За да се възползвате от тази възможност, трябва да ползвате платен абонамент."
},
"youHavePremiumAccess": {
"message": "Имате платен абонамент"
},
"alreadyPremiumFromOrg": {
"message": "Вече имате достъп до възможностите на платения абонамент — членувате в организация, която ви осигурява това."
},
"manage": {
"message": "Управление"
},
"disable": {
"message": "Изключване"
},
"twoStepLoginProviderEnabled": {
"message": "Този доставчик на двустепенно удостоверяване е включен за абонамента ви."
},
"twoStepLoginAuthDesc": {
"message": "Въведете главната си парола, за да променяте настройките за двустепенно удостоверяване."
},
"twoStepAuthenticatorDesc": {
"message": "Следвайте тези стъпки, за да настроите двустепенно удостоверяване:"
},
"twoStepAuthenticatorDownloadApp": {
"message": "Изтегляне на приложение за двустепенно удостоверяване"
},
"twoStepAuthenticatorNeedApp": {
"message": "Ако ви трябва приложение за двустепенно удостоверяване, пробвайте някое от следните:"
},
"iosDevices": {
"message": "Устройства с iOS"
},
"androidDevices": {
"message": "Устройства с Android"
},
"windowsDevices": {
"message": "Устройства с Windows"
},
"twoStepAuthenticatorAppsRecommended": {
"message": "Това са само препоръчаните приложения. Другите приложения за идентификация също ще работят."
},
"twoStepAuthenticatorScanCode": {
"message": "Сканирайте този QR код с приложението си за идентификация"
},
"key": {
"message": "Ключ"
},
"twoStepAuthenticatorEnterCode": {
"message": "Въведете 6-цифрения код за потвърждение от приложението"
},
"twoStepAuthenticatorReaddDesc": {
"message": "Ако трябва да добавите и друго устройство, по-долу е QR кодът или ключът, изисквани от приложението ви за идентификация."
},
"twoStepDisableDesc": {
"message": "Сигурни ли сте, че искате да изключите този доставчик на двустепенно удостоверяване?"
},
"twoStepDisabled": {
"message": "Доставчикът на двустепенно удостоверяване е изключен."
},
"twoFactorYubikeyAdd": {
"message": "Добавяне на ново устройство YubiKey към регистрацията ви"
},
"twoFactorYubikeyPlugIn": {
"message": "Поставете устройството на YubiKey в USB порт на компютър."
},
"twoFactorYubikeySelectKey": {
"message": "Изберете първото свободно поле за YubiKey по-долу."
},
"twoFactorYubikeyTouchButton": {
"message": "Натиснете бутона на устройството от YubiKey."
},
"twoFactorYubikeySaveForm": {
"message": "Запазване на формуляра."
},
"twoFactorYubikeyWarning": {
"message": "Поради платформени ограничения устройствата на YubiKey не могат да се използват с всички приложения на Битуорден. В такъв случай ще трябва да добавите друг доставчик на двустепенно удостоверяване, за да имате достъп до абонамента си, дори когато YubiKey не работи. Поддържани платформи:"
},
"twoFactorYubikeySupportUsb": {
"message": "Трезорът по уеб, самостоятелното приложение, командата за командния ред както и разширенията за браузърите за всички устройства с USB порт могат да работят с устройства на YubiKey."
},
"twoFactorYubikeySupportMobile": {
"message": "Мобилните приложения на устройство с NFC или USB порт могат да работят с устройства на 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 $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"nfcSupport": {
"message": "Поддръжка на NFC"
},
"twoFactorYubikeySupportsNfc": {
"message": "Някой от ключовете поддържа NFC."
},
"twoFactorYubikeySupportsNfcDesc": {
"message": "Ако някое от устройствата на YubiKey поддържа NFC (напр. моделът YubiKey NEO), ще бъдете питани за удостоверяване всеки път при засичането на NFC."
},
"yubikeysUpdated": {
"message": "Данните за YubiKey са обновени"
},
"disableAllKeys": {
"message": "Изключване на всички ключове"
},
"twoFactorDuoDesc": {
"message": "Въведете информацията за приложението на Битуорден от административния панел на Duo."
},
"twoFactorDuoIntegrationKey": {
"message": "Ключ за интеграция"
},
"twoFactorDuoSecretKey": {
"message": "Таен ключ"
},
"twoFactorDuoApiHostname": {
"message": "Адрес на сървъра за API"
},
"twoFactorEmailDesc": {
"message": "Следвайте следните стъпки, за да настроите двустепенно удостоверяване с електронна поща:"
},
"twoFactorEmailEnterEmail": {
"message": "Въведете адреса на електронната поща, където искате да получавате кодовете за потвърждение"
},
"twoFactorEmailEnterCode": {
"message": "Въведете 6-цифрения код за потвърждение от пощата"
},
"sendEmail": {
"message": "Изпращане на електронно писмо"
},
"twoFactorU2fAdd": {
"message": "Добавяне на ново устройство FIDO U2F към регистрацията ви"
},
"removeU2fConfirmation": {
"message": "Сигурни ли сте, че искате да изтриете този ключ за сигурност?"
},
"twoFactorWebAuthnAdd": {
"message": "Добавяне на ново устройство WebAuthn към регистрацията ви"
},
"readKey": {
"message": "Прочитане на ключ"
},
"keyCompromised": {
"message": "Ключът е компрометиран."
},
"twoFactorU2fGiveName": {
"message": "Задайте име на ключа за сигурност за лесното му разпознаване."
},
"twoFactorU2fPlugInReadKey": {
"message": "Поставете ключа за сигурност в USB порта на компютъра и натиснете бутона „Прочитане на ключ“."
},
"twoFactorU2fTouchButton": {
"message": "Ако ключът разполага с бутон, натиснете го."
},
"twoFactorU2fSaveForm": {
"message": "Запазване на формуляра."
},
"twoFactorU2fWarning": {
"message": "Поради платформени ограничения устройствата FIDO U2F не могат да се използват със всички приложения на Битуорден. В такъв случай ще трябва да добавите друг доставчик на двустепенно удостоверяване, за да имате достъп до абонамента си, дори когато FIDO U2F не работи. Поддържани платформи:"
},
"twoFactorU2fSupportWeb": {
"message": "Трезорът по уеб както и разширенията за браузърите с поддръжка на U2F (Chrome, Opera, Vivaldi и Firefox с поддръжка на FIDO U2F)."
},
"twoFactorU2fWaiting": {
"message": "Изчакване да натиснете бутона на устройството си за сигурност"
},
"twoFactorU2fClickSave": {
"message": "Натиснете бутона „Запазване“ по-долу, за да включите този ключ за двустепенна идентификация."
},
"twoFactorU2fProblemReadingTryAgain": {
"message": "Проблем при изчитането на ключа за сигурност. Пробвайте отново."
},
"twoFactorWebAuthnWarning": {
"message": "Поради платформени ограничения устройствата на WebAuthn не могат да се използват с всички приложения на Битуорден. В такъв случай ще трябва да добавите друг доставчик на двустепенно удостоверяване, за да имате достъп до абонамента си, дори когато WebAuthn не работи. Поддържани платформи:"
},
"twoFactorWebAuthnSupportWeb": {
"message": "Трезорът по уеб както и разширенията за браузърите с поддръжка на WebAuthn (Chrome, Opera, Vivaldi и Firefox с поддръжка на FIDO U2F)."
},
"twoFactorRecoveryYourCode": {
"message": "Код за възстановяване на достъпа до Битуорден при двустепенна идентификация"
},
"twoFactorRecoveryNoCode": {
"message": "Не сте включили никой доставчик на двустепенна идентификация. След като направите това, може да проверите тук за код за възстановяване на достъпа."
},
"printCode": {
"message": "Отпечатване на кода",
"description": "Print 2FA recovery code"
},
"reports": {
"message": "Доклади"
},
"reportsDesc": {
"message": "Открийте и отстранете проблемите със защитата на профилите си като щракнете върху докладите по-долу."
},
"unsecuredWebsitesReport": {
"message": "Доклад за сайтове без защита"
},
"unsecuredWebsitesReportDesc": {
"message": "Използването на сайтове, които използват схемата без шифриране „http://“ може да е опасно. Ако сайтовете позволяват, следва да ги достъпвате през схемата „https://“, при което връзката ви е шифрирана."
},
"unsecuredWebsitesFound": {
"message": "Открити са записи без защита"
},
"unsecuredWebsitesFoundDesc": {
"message": "Открити са $COUNT$ записи в трезора с адрес без защита. Трябва да смените схемата за URI-то им на „https://“, ако сайтовете го поддържат.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noUnsecuredWebsites": {
"message": "Всички записи в трезора са със защитени адреси."
},
"inactive2faReport": {
"message": "Доклад за сайтовете без двустепенна защита"
},
"inactive2faReportDesc": {
"message": "Двустепенната идентификация (2FA) е важна настройка, която силно повишава защитата на регистрациите ви. Ако сайтът поддържа това, задължително включете тази възможност."
},
"inactive2faFound": {
"message": "Открити са записи без двустепенна идентификация"
},
"inactive2faFoundDesc": {
"message": "В трезора ви има записи за $COUNT$ уебсайта, които е възможно да не са настроени за работа с двустепенна идентификация (според сайта twofactorauth.org). За да защитите тези регистрации, трябва да включите двустепенната идентификация.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noInactive2fa": {
"message": "Не са открити записи в трезора ви с липсващи настройки за двустепенна идентификация."
},
"instructions": {
"message": "Инструкции"
},
"exposedPasswordsReport": {
"message": "Доклад за разкрити пароли"
},
"exposedPasswordsReportDesc": {
"message": "Разкритите пароли са публикувани като част от докладите за изтекли данни или се продават в тъмния Интернет."
},
"exposedPasswordsFound": {
"message": "Открити са разкрити пароли"
},
"exposedPasswordsFoundDesc": {
"message": "Открити са $COUNT$ записа в трезора ви, които са с разкрити пароли. Трябва да смените тези пароли.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noExposedPasswords": {
"message": "Няма записи в трезора ви, които са с разкрити пароли."
},
"checkExposedPasswords": {
"message": "Проверка за разкрити пароли"
},
"exposedXTimes": {
"message": "Разкрити $COUNT$ път/и",
"placeholders": {
"count": {
"content": "$1",
"example": "52"
}
}
},
"weakPasswordsReport": {
"message": "Доклад за слаби пароли"
},
"weakPasswordsReportDesc": {
"message": "Слабите пароли лесно биват разкрити. Злоумишлени лица могат да ги отгатнат, а автоматични инструменти могат да ги налучкат. Генераторът на пароли на Битуорден може да ви помогне да създадете надеждни пароли."
},
"weakPasswordsFound": {
"message": "Открити са слаби пароли"
},
"weakPasswordsFoundDesc": {
"message": "В трезора ви има $COUNT$записи със слаби пароли. Сменете паролите с надеждни.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noWeakPasswords": {
"message": "Всички записи в трезора са с надеждни пароли."
},
"reusedPasswordsReport": {
"message": "Доклад за повтарящи се пароли"
},
"reusedPasswordsReportDesc": {
"message": "Ако някой достъпи данните ви за вписване към дадена услуга, а вие ползвате една и съща парола навсякъде, то злоумишлени лица могат много по-лесно да пробият другите ви регистрации. За всяка регистрация следва да ползвате различна парола."
},
"reusedPasswordsFound": {
"message": "Отрити са повтарящи се пароли"
},
"reusedPasswordsFoundDesc": {
"message": "В трезора ви има $COUNT$ повтарящи се пароли. Задължително ги сменете с други, уникални пароли.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noReusedPasswords": {
"message": "В трезора ви няма записи с пароли, които се ползват и другаде."
},
"reusedXTimes": {
"message": "Преизползвана $COUNT$ пъти",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"dataBreachReport": {
"message": "Доклад за изтичането на данни"
},
"breachDesc": {
"message": "Изтичането на данни е инцидент, при който злоумишлени лица получават достъп до данните ви, след което те биват публикувани. Прегледайте вида на изтеклата информация (адреси за електронна поща, пароли, номера на карти и т. н.) и предприемете надлежните действия като да си смените паролата."
},
"breachCheckUsernameEmail": {
"message": "Проверка за изтекли данни, съдържащи потребителското ви име или адреса ви за електронна поща"
},
"checkBreaches": {
"message": "Проверка за изтичане на данни"
},
"breachUsernameNotFound": {
"message": "$USERNAME$ липсва във всички известни масиви с изтекли данни.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
}
}
},
"goodNews": {
"message": "Добри новини",
"description": "ex. Good News, No Breached Accounts Found!"
},
"breachUsernameFound": {
"message": "$USERNAME$ е открит в $COUNT$ от известните масиви с изтекли данни.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
},
"count": {
"content": "$2",
"example": "7"
}
}
},
"breachFound": {
"message": "Някои от записите са открити в масивите с изтекли данни"
},
"compromisedData": {
"message": "Изтекли данни"
},
"website": {
"message": "Сайт"
},
"affectedUsers": {
"message": "Засегнати потребители"
},
"breachOccurred": {
"message": "Изтичане на данните"
},
"breachReported": {
"message": "Доклад за изтичането"
},
"reportError": {
"message": "Грешка при зареждането на доклада. Пробвайте отново"
},
"billing": {
"message": "Заплащане"
},
"accountCredit": {
"message": "Кредит по абонамента",
"description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)."
},
"accountBalance": {
"message": "Баланс по абонамента",
"description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)."
},
"addCredit": {
"message": "Добавяне на кредит",
"description": "Add more credit to your account's balance."
},
"amount": {
"message": "Сума",
"description": "Dollar amount, or quantity."
},
"creditDelayed": {
"message": "Добавеният кредит се появява в абонамента ви след окончателната обработка на плащането. Някои начини за плащане са по-бавни и отнемат повече време."
},
"makeSureEnoughCredit": {
"message": "Проверете дали към абонамента си имате достатъчно средства за тази покупка. В противен случай разликата от наличното и необходимото се изисква от основния ви метод за плащане, който сте задали."
},
"creditAppliedDesc": {
"message": "Може да използвате кредитите към абонамента си за покупки. Кредитите се използват за покриването на издадените фактури към абонамента."
},
"goPremium": {
"message": "Платен абонамент",
"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": "Авариен достъп"
},
"premiumSignUpReports": {
"message": "Проверки в списъците с публикувани пароли, проверка на регистрациите и доклади за изтекли данни, което спомага трезорът ви да е допълнително защитен."
},
"premiumSignUpTotp": {
"message": "Генериране на временни, еднократни кодове за двустепенно удостоверяване за регистрациите в трезора."
},
"premiumSignUpSupport": {
"message": "Приоритетна поддръжка."
},
"premiumSignUpFuture": {
"message": "Всички бъдещи ползи! Предстои въвеждането на още!"
},
"premiumPrice": {
"message": "И това само за $PRICE$ на година!",
"placeholders": {
"price": {
"content": "$1",
"example": "$10"
}
}
},
"addons": {
"message": "Добавки"
},
"premiumAccess": {
"message": "Платен абонамент"
},
"premiumAccessDesc": {
"message": "Членовете на организацията ви могат ще могат да се възползват от допълнителните възможности на платения абонамент срещу $PRICE$ /$INTERVAL$.",
"placeholders": {
"price": {
"content": "$1",
"example": "$3.33"
},
"interval": {
"content": "$2",
"example": "'month' or 'year'"
}
}
},
"additionalStorageGb": {
"message": "Допълнително място [GB]"
},
"additionalStorageGbDesc": {
"message": "брой GB допълнително"
},
"additionalStorageIntervalDesc": {
"message": "Планът ви идва с $SIZE$ място за шифрирани данни. Може да се сдобиете с още при цена $PRICE$ за 1 GB /$INTERVAL$.",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
},
"price": {
"content": "$2",
"example": "$4.00"
},
"interval": {
"content": "$3",
"example": "'month' or 'year'"
}
}
},
"summary": {
"message": "Обобщено"
},
"total": {
"message": "Общо"
},
"year": {
"message": "година"
},
"month": {
"message": "месец"
},
"monthAbbr": {
"message": "мес.",
"description": "Short abbreviation for 'month'"
},
"paymentChargedAnnually": {
"message": "Сумата ще бъде директно изискана от метода за плащане, след което ще се повтаря всяка година. Може да се откажете по всяко време."
},
"paymentCharged": {
"message": "Сумата ще бъде директно изискана от метода за плащане, след което ще се повтаря всеки $INTERVAL$. Може да се откажете по всяко време.",
"placeholders": {
"interval": {
"content": "$1",
"example": "month or year"
}
}
},
"paymentChargedWithTrial": {
"message": "Планът ви идва с пробен период от 7 дена. Плащането няма се изиска преди това, след което ще се повтаря всеки $INTERVAL$. Може да се откажете по всяко време."
},
"paymentInformation": {
"message": "Информация за плащането"
},
"billingInformation": {
"message": "Информация за фактуриране"
},
"creditCard": {
"message": "Кредитна карта"
},
"paypalClickSubmit": {
"message": "Натиснете бутона на PayPal, за да се впишете в регистрацията ви в него. След това натиснете бутона „Подаване“ по-долу, за да продължите."
},
"cancelSubscription": {
"message": "Прекратяване на абонамента"
},
"subscriptionCanceled": {
"message": "Абонаментът е прекратен."
},
"pendingCancellation": {
"message": "Предстоящо прекратяване на абонамента"
},
"subscriptionPendingCanceled": {
"message": "Прекратяването на абонамента след края на последно платения период е обявено."
},
"reinstateSubscription": {
"message": "Подновяване на абонамента"
},
"reinstateConfirmation": {
"message": "Уверени ли сте, че искате да подновите абонамента и да отмените заявката за прекратяването му?"
},
"reinstated": {
"message": "Абонаментът е подновен."
},
"cancelConfirmation": {
"message": "Уверени ли сте, че искате да прекратите абонамента? След края на последно платения период ще загубите всички допълнителни преимущества."
},
"canceledSubscription": {
"message": "Абонаментът е прекратен."
},
"neverExpires": {
"message": "Никога не изтича"
},
"status": {
"message": "Състояние"
},
"nextCharge": {
"message": "Следваща промяна"
},
"details": {
"message": "Детайли"
},
"downloadLicense": {
"message": "Изтегляне на лиценз"
},
"updateLicense": {
"message": "Обновяване на лиценз"
},
"updatedLicense": {
"message": "Лицензът е обновен"
},
"manageSubscription": {
"message": "Управление на абонамента"
},
"storage": {
"message": "Съхранение на данни"
},
"addStorage": {
"message": "Добавяне на пространство"
},
"removeStorage": {
"message": "GB пространство за махане"
},
"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": "GB пространство за добавяне"
},
"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": "Планът идва с поддръжка на $BASE_SEATS$ потребители в организацията. Можете да добавяте допълнителни потребители на цена $SEAT_PRICE$ за потребител на месец.",
"placeholders": {
"base_seats": {
"content": "$1",
"example": "5"
},
"seat_price": {
"content": "$2",
"example": "$2.00"
}
}
},
"userSeatsHowManyDesc": {
"message": "Колко потребители в организацията са ви нужни? По-късно пак може да добавяте потребители, ако е нужно."
},
"planNameFree": {
"message": "Безплатен",
"description": "Free as in 'free beer'."
},
"planDescFree": {
"message": "За проба или за индивидуални потребители, които ще могат да споделят с $COUNT$ на брой допълнителни потребители.",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"planNameFamilies": {
"message": "Семеен"
},
"planDescFamilies": {
"message": "За индивидуални потребители, които ще могат да споделят със семейството и приятелите си."
},
"planNameTeams": {
"message": "Екипен"
},
"planDescTeams": {
"message": "За компании и други екипни организации."
},
"planNameEnterprise": {
"message": "За големи организации"
},
"planDescEnterprise": {
"message": "За големи компании и организации."
},
"freeForever": {
"message": "Завинаги безплатно"
},
"includesXUsers": {
"message": "включва $COUNT$ потребители",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"additionalUsers": {
"message": "Допълнителни потребители"
},
"costPerUser": {
"message": "$COST$ на потребител",
"placeholders": {
"cost": {
"content": "$1",
"example": "$3"
}
}
},
"limitedUsers": {
"message": "До максимум $COUNT$ потребители (включително и вие)",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"limitedCollections": {
"message": "До максимум $COUNT$ колекции",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"addShareLimitedUsers": {
"message": "Добавяне и споделяне с до $COUNT$ потребители",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"addShareUnlimitedUsers": {
"message": "Добавяне и споделяне с неограничен брой потребители"
},
"createUnlimitedCollections": {
"message": "Неограничен брой колекции"
},
"gbEncryptedFileStorage": {
"message": "$SIZE$ място за съхранение на шифрирани данни",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
}
}
},
"onPremHostingOptional": {
"message": "Собствени сървъри (по избор)"
},
"usersGetPremium": {
"message": "Потребителите получават достъп до възможностите на платения абонамент"
},
"controlAccessWithGroups": {
"message": "Управление на потребителите по групи"
},
"syncUsersFromDirectory": {
"message": "Синхронизиране на потребителите и групите с директорийни услуги"
},
"trackAuditLogs": {
"message": "Одит на действията на потребителите чрез журнали"
},
"enforce2faDuo": {
"message": "Задължително ползване на двустепенна защита с Duo"
},
"priorityCustomerSupport": {
"message": "Поддръжка с приоритет"
},
"xDayFreeTrial": {
"message": "$COUNT$ дни безплатен пробен период! Може да прекъснете по всяко време",
"placeholders": {
"count": {
"content": "$1",
"example": "7"
}
}
},
"monthly": {
"message": "Месечно"
},
"annually": {
"message": "Годишно"
},
"basePrice": {
"message": "Базова цена"
},
"organizationCreated": {
"message": "Организацията е създадена"
},
"organizationReadyToGo": {
"message": "Новата организация е готова!"
},
"organizationUpgraded": {
"message": "Организацията е обновена."
},
"leave": {
"message": "Напускане"
},
"leaveOrganizationConfirmation": {
"message": "Уверени ли сте, че искате да напуснете тази организация?"
},
"leftOrganization": {
"message": "Напуснахте организацията."
},
"defaultCollection": {
"message": "Стандартна колекция"
},
"getHelp": {
"message": "Помощ"
},
"getApps": {
"message": "Изтегляне на приложенията"
},
"loggedInAs": {
"message": "Вписани сте като"
},
"eventLogs": {
"message": "Журнали със събития"
},
"people": {
"message": "Хора"
},
"policies": {
"message": "Политики"
},
"singleSignOn": {
"message": "Еднократна идентификация"
},
"editPolicy": {
"message": "Редактиране на политика"
},
"groups": {
"message": "Групи"
},
"newGroup": {
"message": "Нова група"
},
"addGroup": {
"message": "Добавяне на група"
},
"editGroup": {
"message": "Редактиране на група"
},
"deleteGroupConfirmation": {
"message": "Сигурни ли сте, че искате да изтриете тази група?"
},
"removeUserConfirmation": {
"message": "Сигурни ли сте, че искате да изтриете този потребител?"
},
"removeUserConfirmationKeyConnector": {
"message": "Внимание! Този потребител има нужда от конектор за ключове, за да управлява шифроването си. Ако премахнете потребителя от организацията, ще заключите завинаги достъпа му до неговата регистрация. Това действие е необратимо. Наистина ли искате да продължите?"
},
"externalId": {
"message": "Външен идентификатор"
},
"externalIdDesc": {
"message": "Външните идентификатори указват връзката на този елемент с друга система, напр. директорийна услуга с потребители и групи."
},
"accessControl": {
"message": "Управление на достъпа"
},
"groupAccessAllItems": {
"message": "Тази група има достъп до всички записи."
},
"groupAccessSelectedCollections": {
"message": "Тази група има достъп само до избраните колекции."
},
"readOnly": {
"message": "Само за четене"
},
"newCollection": {
"message": "Нова колекция"
},
"addCollection": {
"message": "Добавяне на колекция"
},
"editCollection": {
"message": "Редактиране на колекция"
},
"deleteCollectionConfirmation": {
"message": "Сигурни ли сте, че искате да изтриете тази колекция?"
},
"editUser": {
"message": "Редактиране на потребител"
},
"inviteUser": {
"message": "Поканване на потребител"
},
"inviteUserDesc": {
"message": "Може да поканите потребител да стане член на организацията като попълните адреса му за електронна поща, с който е регистриран в Битуорден, по-долу. В случай, че потребителят не е регистриран, той автоматично ще получи покана и да се регистрира."
},
"inviteMultipleEmailDesc": {
"message": "Може да добавяте до $COUNT$ на брой потребители наведнъж, като подадете списък с адреси на електронна поща, разделени със запетаи.",
"placeholders": {
"count": {
"content": "$1",
"example": "20"
}
}
},
"userUsingTwoStep": {
"message": "Този потребител използва двустепенна защита за достъп."
},
"userAccessAllItems": {
"message": "Този потребител има достъп до всички записи и може да ги редактира."
},
"userAccessSelectedCollections": {
"message": "Този потребител има достъп само до избраната колекция."
},
"search": {
"message": "Търсене"
},
"invited": {
"message": "Поканен"
},
"accepted": {
"message": "Приел"
},
"confirmed": {
"message": "Потвърдил"
},
"clientOwnerEmail": {
"message": "Client Owner Email"
},
"owner": {
"message": "Собственик"
},
"ownerDesc": {
"message": "Потребителят с най-големи права, който може да управлява всички настройки на организацията ви."
},
"clientOwnerDesc": {
"message": "Този потребител трябва да бъде независим от доставчика. Ако организацията прекъсне връзката си с доставчика, този потребител ще продължи да има права върху организацията."
},
"admin": {
"message": "Администратор"
},
"adminDesc": {
"message": "Администраторите имат достъп до всички записи, колекции и потребители в организацията и могат да ги управляват."
},
"user": {
"message": "Потребител"
},
"userDesc": {
"message": "Редови потребител с достъп до определени колекции в организацията."
},
"manager": {
"message": "Мениджър"
},
"managerDesc": {
"message": "Мениджърите достъпват и управляват зададените им колекции в организацията."
},
"all": {
"message": "Всички"
},
"refresh": {
"message": "Опресняване"
},
"timestamp": {
"message": "Времево клеймо"
},
"event": {
"message": "Събитие"
},
"unknown": {
"message": "Неизвестно"
},
"loadMore": {
"message": "Още"
},
"mobile": {
"message": "Мобилен номер",
"description": "Mobile app"
},
"extension": {
"message": "Вътрешен номер",
"description": "Browser extension/addon"
},
"desktop": {
"message": "Десктоп",
"description": "Desktop app"
},
"webVault": {
"message": "Трезор по уеб"
},
"loggedIn": {
"message": "Вписани сте."
},
"changedPassword": {
"message": "Паролата на абонамента е сменена."
},
"enabledUpdated2fa": {
"message": "Двустепенното удостоверяване е включено/обновено."
},
"disabled2fa": {
"message": "Двустепенното удостоверяване е изключено."
},
"recovered2fa": {
"message": "Абонаментът с двустепенно удостоверяване е възстановен."
},
"failedLogin": {
"message": "Неуспешно вписване заради грешна парола."
},
"failedLogin2fa": {
"message": "Неуспешно вписване заради неуспешно двустепенно удостоверяване."
},
"exportedVault": {
"message": "Трезорът е изнесен."
},
"exportedOrganizationVault": {
"message": "Трезорът на организацията е изнесен."
},
"editedOrgSettings": {
"message": "Настройките на организацията са редактирани."
},
"createdItemId": {
"message": "Запис № $ID$ е създаден.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedItemId": {
"message": "Запис № $ID$ е редактиран.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedItemId": {
"message": "Запис № $ID$ е изтрит.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"movedItemIdToOrg": {
"message": "Записът $ID$ беше преместен в организация.",
"placeholders": {
"id": {
"content": "$1",
"example": "'Google'"
}
}
},
"viewedItemId": {
"message": "Запис № $ID$ е разгледан.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedPasswordItemId": {
"message": "Паролата на запис № $ID$ е прегледана.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedHiddenFieldItemId": {
"message": "Скрито поле от запис № $ID$ е прегледано.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedSecurityCodeItemId": {
"message": "Кодът за сигурност за запис № $ID$ е прегледан.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedPasswordItemId": {
"message": "Паролата на запис № $ID$ е копирана.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedHiddenFieldItemId": {
"message": "Скрито поле от запис № $ID$ е копирано.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedSecurityCodeItemId": {
"message": "Кодът за сигурност за запис № $ID$ е копирано.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"autofilledItemId": {
"message": "Запис № $ID$ е ползван за автоматично дописване.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"createdCollectionId": {
"message": "Колекция № $ID$ е създадена.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedCollectionId": {
"message": "Колекция № $ID$ е редактирана.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"deletedCollectionId": {
"message": "Колекция № $ID$ е изтрита.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedPolicyId": {
"message": "Редактирана политика № $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"createdGroupId": {
"message": "Група № $ID$ е създадена.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"editedGroupId": {
"message": "Група № $ID$ е редактирана.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"deletedGroupId": {
"message": "Група № $ID$ е изтрита.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"removedUserId": {
"message": "Потребител № $ID$ е изтрит.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdAttachmentForItem": {
"message": "Към запис № $ID$ е прикачен файл.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedAttachmentForItem": {
"message": "Прикаченият файл към запис № $ID$ е изтрит.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedCollectionsForItem": {
"message": "Колекциите за запис № $ID$ са редактирани.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"invitedUserId": {
"message": "Потребител № $ID$ е поканен.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmedUserId": {
"message": "Потребител № $ID$ е потвърден.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedUserId": {
"message": "Потребител № $ID$ е редактиран.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedGroupsForUser": {
"message": "Групите на потребител № $ID$ са редактирани.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"unlinkedSsoUser": {
"message": "Самоличността $ID$ е извадено от еднократното вписване.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdOrganizationId": {
"message": "Организация № $ID$ е създадена.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"addedOrganizationId": {
"message": "Организация № $ID$ е добавена.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"removedOrganizationId": {
"message": "Организация № $ID$ е премахната.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"accessedClientVault": {
"message": "Accessed $ID$ organization vault.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"device": {
"message": "Устройство"
},
"view": {
"message": "Изглед"
},
"invalidDateRange": {
"message": "Неправилен диапазон от дати."
},
"errorOccurred": {
"message": "Възникна грешка."
},
"userAccess": {
"message": "Права на потребител"
},
"userType": {
"message": "Вид потребител"
},
"groupAccess": {
"message": "Права на група"
},
"groupAccessUserDesc": {
"message": "Редактирате на групите на потребителя."
},
"invitedUsers": {
"message": "Поканени потребители."
},
"resendInvitation": {
"message": "Изпращане на поканата наново"
},
"resendEmail": {
"message": "Повторно изпращане на писмото"
},
"hasBeenReinvited": {
"message": "$USER$ потребители са поканени.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirm": {
"message": "Потвърждаване"
},
"confirmUser": {
"message": "Потвърждаване на потребител"
},
"hasBeenConfirmed": {
"message": "$USER$ потребители са потвърдени.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmUsers": {
"message": "Потвърждаване на потребители"
},
"usersNeedConfirmed": {
"message": "Има потребители, които са приели поканата си, но все още трябва да бъдат потвърдени. Потвърждаването е необходимо, за да получат достъп до организацията."
},
"startDate": {
"message": "Начална дата"
},
"endDate": {
"message": "Крайна дата"
},
"verifyEmail": {
"message": "Потвърждаване на адреса на електронна поща"
},
"verifyEmailDesc": {
"message": "Потвърдете адреса на електронната си поща, за да получите достъп до всички възможности."
},
"verifyEmailFirst": {
"message": "Трябва да потвърдите адреса на електронната поща за абонамента си."
},
"checkInboxForVerification": {
"message": "Проверете електронната си поща за писмо с хипервръзка, с която да потвърдите адреса ѝ."
},
"emailVerified": {
"message": "Адресът на електронната ви поща е потвърден."
},
"emailVerifiedFailed": {
"message": "Адресът на електронната ви поща не е потвърден. Пробвайте да изпратите ново писмо за потвърждение."
},
"emailVerificationRequired": {
"message": "Изисква се потвърждение на е-пощата"
},
"emailVerificationRequiredDesc": {
"message": "Трябва да потвърдите е-пощата си, за да можете да използвате тази функционалност."
},
"updateBrowser": {
"message": "Обновяване на браузъра"
},
"updateBrowserDesc": {
"message": "Ползвате неподдържан браузър. Трезорът по уеб може да не сработи правилно."
},
"joinOrganization": {
"message": "Присъединяване към организация"
},
"joinOrganizationDesc": {
"message": "Поканени сте да се присъедините към посочената по-горе организация. За да приемете, ще трябва да се впишете в абонамента си към Битуорден. Ако нямате такъв, ще трябва да създадете безплатен абонамент и след това да се впишете в него."
},
"inviteAccepted": {
"message": "Поканата е приета"
},
"inviteAcceptedDesc": {
"message": "Ще имате достъп до организацията, след като администраторът ѝ потвърди членството ви. Ще ви изпратим електронно писмо, когато това се случи."
},
"inviteAcceptFailed": {
"message": "Поканата не може да бъде приета. Помолете администратора на организацията да ви прати нова."
},
"inviteAcceptFailedShort": {
"message": "Поканата не може да бъде приета. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"rememberEmail": {
"message": "Припомняне на електронната поща"
},
"recoverAccountTwoStepDesc": {
"message": "Ако не може да достъпите абонамента си с нормалната двустепенна идентификация, може да ползвате код за възстановяване, за да я изключите."
},
"recoverAccountTwoStep": {
"message": "Възстановяване на абонамент с двустепенна идентификация"
},
"twoStepRecoverDisabled": {
"message": "Двустепенната идентификация е изключена за абонамента ви."
},
"learnMore": {
"message": "Научете повече"
},
"deleteRecoverDesc": {
"message": "Въведете адреса на електронната си поща, за да възстановите и да изтриете абонамента си."
},
"deleteRecoverEmailSent": {
"message": "Ако има такъв абонамент, трябва да получите писмо с последващи инструкции."
},
"deleteRecoverConfirmDesc": {
"message": "Заявили сте, че искате да изтриете абонамента си към Битуорден. Натиснете бутона по-долу, за да потвърдите това решение."
},
"myOrganization": {
"message": "Моята организация"
},
"deleteOrganization": {
"message": "Изтриване на организация"
},
"deletingOrganizationContentWarning": {
"message": "Въведете главната парола, за да потвърдите изтриването на $ORGANIZATION$ и всички свързани данни. Данните в трезора на $ORGANIZATION$ включват:",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"deletingOrganizationActiveUserAccountsWarning": {
"message": "Потребителите ще продължат да съществуват и след изтриването, но вече няма да бъдат свързани с тази организация."
},
"deletingOrganizationIsPermanentWarning": {
"message": "Изтриването на $ORGANIZATION$ е окончателно и необратимо.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"organizationDeleted": {
"message": "Организацията е изтрита"
},
"organizationDeletedDesc": {
"message": "Организацията и нейните данни са изтрити."
},
"organizationUpdated": {
"message": "Организацията е обновена"
},
"taxInformation": {
"message": "Данъчна информация"
},
"taxInformationDesc": {
"message": "Свържете се с поддръжката, за да въведете (или смените) данъчната информация да фактурите."
},
"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": "Наредихме две микротранзакции и трябва да получите сумите до два работни дни. Въведете сумите в страницата за плащания на организацията, за да потвърдите банковата си сметка."
},
"verifyBankAccountInitialDesc": {
"message": "Плащането с банкова сметка е достъпно само за клиентите в Сащ. Ще трябва да потвърдите банковата си сметка. Ще наредим да ви се приведат две микротранзакции и трябва да получите сумите до два работни дни. Въведете сумите в страницата за плащания на организацията, за да потвърдите банковата си сметка."
},
"verifyBankAccountFailureWarning": {
"message": "Ако не потвърдите номера на банкова сметка, няма да може да се нареди плащане и абонаментът ви ще бъде временно спрян."
},
"verifiedBankAccount": {
"message": "Банковата сметка е потвърдена."
},
"bankAccount": {
"message": "Банкова сметка"
},
"amountX": {
"message": "Сума $COUNT$",
"description": "Used in bank account verification of micro-deposits. Amount, as in a currency amount. Ex. Amount 1 is $2.00, Amount 2 is $1.50",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"routingNumber": {
"message": "Банков код",
"description": "Bank account routing number"
},
"accountNumber": {
"message": "Номер на сметката"
},
"accountHolderName": {
"message": "Име на притежателя на сметката"
},
"bankAccountType": {
"message": "Вид на сметката"
},
"bankAccountTypeCompany": {
"message": "На фирма"
},
"bankAccountTypeIndividual": {
"message": "На физическо лице"
},
"enterInstallationId": {
"message": "Въведете идентификатора на инсталацията"
},
"limitSubscriptionDesc": {
"message": "Задайте ограничение на броя потребители за абонамента си. Когато то бъде достигнато, няма да можете да каните нови потребители."
},
"maxSeatLimit": {
"message": "Максимален брой потребители (по избор)",
"description": "Upper limit of seats to allow through autoscaling"
},
"maxSeatCost": {
"message": "Максимална потенциална цена за потребител"
},
"addSeats": {
"message": "Добавяне на потребители",
"description": "Seat = User Seat"
},
"removeSeats": {
"message": "Намаляване на потребители",
"description": "Seat = User Seat"
},
"subscriptionDesc": {
"message": "Промените в абонамента Ви ще предизвикат пропорционални промени в сумата, която плащате. Ако новопоканените потребители превишат ограничението на абонамента Ви, незабавно ще получите съответстващо пропорционално задължение за допълнителните потребители."
},
"subscriptionUserSeats": {
"message": "Абонаментът ви позволява $COUNT$ на брой потребители.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"limitSubscription": {
"message": "Ограничаване на абонамента (по избор)"
},
"subscriptionSeats": {
"message": "Потребители в абонамента"
},
"subscriptionUpdated": {
"message": "Абонаментът е обновен"
},
"additionalOptions": {
"message": "Допълнителни настройки"
},
"additionalOptionsDesc": {
"message": "Ако имате нужда от допълнителна помощ с управлението на абонамента си, свържете се с поддръжката."
},
"subscriptionUserSeatsUnlimitedAutoscale": {
"message": "Промените в абонамента Ви ще предизвикат пропорционални промени в сумата, която плащате. Ако новопоканените потребители превишат ограничението на абонамента Ви, незабавно ще получите съответстващо пропорционално задължение за допълнителните потребители."
},
"subscriptionUserSeatsLimitedAutoscale": {
"message": "Промените в абонамента Ви ще предизвикат пропорционални промени в сумата, която плащате. Ако новопоканените потребители превишат ограничението на абонамента Ви, незабавно ще получите съответстващо пропорционално задължение за допълнителните потребители, докато не бъде достигнато ограничението от $MAX$ потребители.",
"placeholders": {
"max": {
"content": "$1",
"example": "50"
}
}
},
"subscriptionFreePlan": {
"message": "Не можете да поканите повече от $COUNT$ потребители без да надградите плана си.",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"subscriptionFamiliesPlan": {
"message": "Не можете да поканите повече от $COUNT$ потребители без да надградите плана си. Свържете се с поддръжката за надграждане.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionSponsoredFamiliesPlan": {
"message": "Абонаментът Ви позволява не повече от $COUNT$ потребители. Планът Ви е спонсориран и се плаща от външна организация.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionMaxReached": {
"message": "Промените в абонамента Ви ще предизвикат пропорционални промени в сумата, която плащате. Не можете да поканите повече от $COUNT$ потребители, без да увеличите ограничението в абонамента си.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"seatsToAdd": {
"message": "Брой потребители за добавяне"
},
"seatsToRemove": {
"message": "Брой потребители за намаляване"
},
"seatsAddNote": {
"message": "Добавянето на потребители води до увеличаване на дължимата сума. Разликата ще бъде незабавно погасена чрез текущия ви метод за плащане. Първото дължимо плащане е пропорционално на оставащия срок от текущия период на ползване."
},
"seatsRemoveNote": {
"message": "Намаляването на потребители води до намаляване на дължимата сума. Разликата ще бъде заделена като кредит за следващото ви плащане, пропорционално на оставащия срок от текущия период на ползване."
},
"adjustedSeats": {
"message": "Промяна с $AMOUNT$ потребители.",
"placeholders": {
"amount": {
"content": "$1",
"example": "15"
}
}
},
"keyUpdated": {
"message": "Ключът е обновен"
},
"updateKeyTitle": {
"message": "Обновяване на ключа"
},
"updateEncryptionKey": {
"message": "Обновяване на ключа за шифриране"
},
"updateEncryptionKeyShortDesc": {
"message": "Ползвате остаряла схема за шифриране."
},
"updateEncryptionKeyDesc": {
"message": "Вече ползваме по-дълги ключове за по-добра сигурност и повече възможности. Обновяването на ключа е бързо и лесно. Просто въведете главната си парола по-долу. В някой бъдещ момент това обновяване ще бъде задължително."
},
"updateEncryptionKeyWarning": {
"message": "След смяната на ключа за шифриране ще трябва да се отпишете и след това да се впишете в регистрацията си във всички приложения на Битуорден, които ползвате (като мобилното приложение и разширенията за браузъри). Ако не се отпишете и впишете повторно (за да получите достъп до новия ключ), рискувате да повредите записите си. Сега ще се пробва да бъдете отписани автоматично, това обаче може да се забави."
},
"updateEncryptionKeyExportWarning": {
"message": "Всички шифрирани вече изнесени данни ще станат безполезни."
},
"subscription": {
"message": "Абонамент"
},
"loading": {
"message": "Зареждане…\n"
},
"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": "Зададената главна парола е твърде слаба. Главната парола трябва да е силна. Добре е да ползвате цяла фраза за парола, за да защитите данните в трезора на Битуорден. Уверени ли сте, че искате да ползвате слаба парола?"
},
"rotateAccountEncKey": {
"message": "Ключът за шифриране също да се смени"
},
"rotateEncKeyTitle": {
"message": "Смяна на ключа за шифриране"
},
"rotateEncKeyConfirmation": {
"message": "Сигурни ли сте, че искате да смените ключа за шифрирането на абонамента?"
},
"attachmentsNeedFix": {
"message": "Този запис съдържа стар, прикачен файл, който трябва да бъде поправен. Натиснете, за да научите повече."
},
"attachmentFixDesc": {
"message": "Този прикачен файл е стар и трябва да бъде поправен. Натиснете, за да научите повече."
},
"fix": {
"message": "Поправяне",
"description": "This is a verb. ex. 'Fix The Car'"
},
"oldAttachmentsNeedFixDesc": {
"message": "В трезора ви има стари прикачени файлове. Те трябва да бъдат поправени, за да можете да смените ключа за шифриране на абонамента."
},
"yourAccountsFingerprint": {
"message": "Уникална фраза, идентифицираща абонамента ви",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"fingerprintEnsureIntegrityVerify": {
"message": "За да опазите ключовете за шифриране, въведете уникалната фраза, идентифицираща абонамента ви.",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"dontAskFingerprintAgain": {
"message": "Без повторно питане за уникалната фраза",
"description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing."
},
"free": {
"message": "Безплатно",
"description": "Free, as in 'Free beer'"
},
"apiKey": {
"message": "Ключ за API"
},
"apiKeyDesc": {
"message": "Ключът позволява да се идентифицирате към публичното API на Битуорден."
},
"apiKeyRotateDesc": {
"message": "Смяната на ключа ще направи предния ключ неизползваем. Можете да смените ключа си, ако считате, че текущият не е надежден повече."
},
"apiKeyWarning": {
"message": "Ключът за API дава пълен достъп до организацията. Трябва да го пазите в тайна."
},
"userApiKeyDesc": {
"message": "Ключът позволява да се идентифицирате към инструментите на командния ред на Битуорден."
},
"userApiKeyWarning": {
"message": "Вашият API ключ е алтернативен механизъм автентикация. Той трябва да се пази в тайна."
},
"oauth2ClientCredentials": {
"message": "Идентификация за клиент за OAuth 2.0",
"description": "'OAuth 2.0' is a programming protocol. It should probably not be translated."
},
"viewApiKey": {
"message": "Ключ за API"
},
"rotateApiKey": {
"message": "Смяна на ключа за API"
},
"selectOneCollection": {
"message": "Изберете поне една колекция."
},
"couldNotChargeCardPayInvoice": {
"message": "Не можем да сменим картата ви. Разгледайте и платете по неплатените фактури по-долу."
},
"inAppPurchase": {
"message": "Покупка в приложение"
},
"cannotPerformInAppPurchase": {
"message": "Не може да извършите това действие, като ползвате метод за плащане за покупка в приложение."
},
"manageSubscriptionFromStore": {
"message": "Може да управлявате абонамента си от електронния магазин, от който сте го купили."
},
"minLength": {
"message": "Минимална дължина"
},
"clone": {
"message": "Дублиране"
},
"masterPassPolicyDesc": {
"message": "Задаване на минимална сила на главната парола."
},
"twoStepLoginPolicyDesc": {
"message": "Изискване от потребителите да включат двустепенно удостоверяване за личните си абонаменти."
},
"twoStepLoginPolicyWarning": {
"message": "Членовете на организацията без двустепенно удостоверяване за личните си абонаменти ще бъдат отстранени от организацията. Те ще бъдат уведомени за това по електронната поща."
},
"twoStepLoginPolicyUserWarning": {
"message": "Вие сте член на поне една организация, която изисква двустепенно удостоверяване и за личния абонамент. Ако изключите двустепенното удостоверяване, ще бъдете отстранени от тези организации."
},
"passwordGeneratorPolicyDesc": {
"message": "Задаване на минимална сила на генератора на пароли."
},
"passwordGeneratorPolicyInEffect": {
"message": "Поне една политика на организация влияе на настройките на генерирането на паролите."
},
"masterPasswordPolicyInEffect": {
"message": "Поне една политика на организация има следните изисквания към главната ви парола:"
},
"policyInEffectMinComplexity": {
"message": "Минимална сложност от $SCORE$",
"placeholders": {
"score": {
"content": "$1",
"example": "4"
}
}
},
"policyInEffectMinLength": {
"message": "Минимална дължина: $LENGTH$",
"placeholders": {
"length": {
"content": "$1",
"example": "14"
}
}
},
"policyInEffectUppercase": {
"message": "Поне една главна буква"
},
"policyInEffectLowercase": {
"message": "Поне една малка буква"
},
"policyInEffectNumbers": {
"message": "Поне една цифра"
},
"policyInEffectSpecial": {
"message": "Поне един от следните специални знаци: $CHARS$",
"placeholders": {
"chars": {
"content": "$1",
"example": "!@#$%^&*"
}
}
},
"masterPasswordPolicyRequirementsNotMet": {
"message": "Паролата ви не отговаря на политиките."
},
"minimumNumberOfWords": {
"message": "Минимален брой думи"
},
"defaultType": {
"message": "Стандартен вид"
},
"userPreference": {
"message": "Потребителски настройки"
},
"vaultTimeoutAction": {
"message": "Действие при изтичане на времето"
},
"vaultTimeoutActionLockDesc": {
"message": "При заключване на трезора ще ви се наложи отново да въведете паролата си, за да го достъпите."
},
"vaultTimeoutActionLogOutDesc": {
"message": "При изход от трезора ще ви се наложи отново да се идентифицирате, за да го достъпите."
},
"lock": {
"message": "Заключване",
"description": "Verb form: to make secure or inaccesible by"
},
"trash": {
"message": "Кошче",
"description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted"
},
"searchTrash": {
"message": "Търсене в кошчето"
},
"permanentlyDelete": {
"message": "Окончателно изтриване"
},
"permanentlyDeleteSelected": {
"message": "Окончателно изтриване на избраното"
},
"permanentlyDeleteItem": {
"message": "Окончателно изтриване на запис"
},
"permanentlyDeleteItemConfirmation": {
"message": "Сигурни ли сте, че искате да изтриете записа окончателно?"
},
"permanentlyDeletedItem": {
"message": "Записът е изтрит окончателно"
},
"permanentlyDeletedItems": {
"message": "Записите са изтрити окончателно"
},
"permanentlyDeleteSelectedItemsDesc": {
"message": "За изтриване сте избрали $COUNT$ запис/а. Сигурни ли сте, че искате да ги изтриете окончателно?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"permanentlyDeletedItemId": {
"message": "Запис № $ID$ е изтрит окончателно.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"restore": {
"message": "Възстановяване"
},
"restoreSelected": {
"message": "Възстановяване на избраните"
},
"restoreItem": {
"message": "Възстановяване на запис"
},
"restoredItem": {
"message": "Записът е възстановен"
},
"restoredItems": {
"message": "Записите са възстановени"
},
"restoreItemConfirmation": {
"message": "Сигурни ли сте, че искате да възстановите записа?"
},
"restoreItems": {
"message": "Възстановяване на записи"
},
"restoreSelectedItemsDesc": {
"message": "За възстановяване сте избрали $COUNT$ запис/а. Сигурни ли сте, че искате да ги възстановите?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"restoredItemId": {
"message": "Запис № $ID$ е възстановен.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"vaultTimeoutLogOutConfirmation": {
"message": "Излизането от трезора изцяло спира достъпа до него след изтичане на времето. Ще ви се наложи отново да се идентифицирате, за да го достъпите. Сигурни ли сте, че искате това действие?"
},
"vaultTimeoutLogOutConfirmationTitle": {
"message": "Потвърждаване на действието"
},
"hidePasswords": {
"message": "Криене на паролите"
},
"countryPostalCodeRequiredDesc": {
"message": "Тази информация ни е необходима единствено за изчисляване на данъка при продажба, както и за финансова отчетност."
},
"includeVAT": {
"message": "Включване на информацията за ДДС/GST (по избор)"
},
"taxIdNumber": {
"message": "Данъчен номер за ДДС/GST"
},
"taxInfoUpdated": {
"message": "Данъчната информация е обновена."
},
"setMasterPassword": {
"message": "Задаване на главна парола"
},
"ssoCompleteRegistration": {
"message": "За да завършите настройките за еднократна идентификация, трябва да зададете главна парола за трезора."
},
"identifier": {
"message": "Идентификатор"
},
"organizationIdentifier": {
"message": "Идентификатор на организация"
},
"ssoLogInWithOrgIdentifier": {
"message": "Вписване чрез портала на организацията ви за еднократна идентификация. За да продължите, въведете идентификатора на организацията."
},
"enterpriseSingleSignOn": {
"message": "Еднократна идентификация (SSO)"
},
"ssoHandOff": {
"message": "Вече може да затворите подпрозореца и да продължите в разширението."
},
"includeAllTeamsFeatures": {
"message": "Всички възможности в екип плюс:"
},
"includeSsoAuthentication": {
"message": "Еднократна идентификация чрез SAML2.0 и OpenID Connect"
},
"includeEnterprisePolicies": {
"message": "Политики на бизнеса"
},
"ssoValidationFailed": {
"message": "Неуспешна еднократна идентификация"
},
"ssoIdentifierRequired": {
"message": "Идентификаторът на организация е задължителен."
},
"unlinkSso": {
"message": "Прекъсване на еднократна идентификация"
},
"unlinkSsoConfirmation": {
"message": "Наистина ли искате да премахнете еднократното удостоверяване за тази организация?"
},
"linkSso": {
"message": "Свързване на еднократна идентификация"
},
"singleOrg": {
"message": "Една организация"
},
"singleOrgDesc": {
"message": "Потребителите да не може да са членове на друга организация."
},
"singleOrgBlockCreateMessage": {
"message": "Вашата настояща организация има политика, която не позволява да участвате в повече от една организация. Моля свържете се с администратора на организацията или се впишете с друг Bitwarden потребител."
},
"singleOrgPolicyWarning": {
"message": "Членовете, които не са собственици или администратори и са членове на други организации ще бъдат премахнати от тази организация."
},
"requireSso": {
"message": "Еднократна идентификация"
},
"requireSsoPolicyDesc": {
"message": "Изискване на потребителите да ползват еднократна идентификация."
},
"prerequisite": {
"message": "Предпоставкa"
},
"requireSsoPolicyReq": {
"message": "За да включите тази политика, първо трябва ръчно да включите политиката за еднократна идентификация."
},
"requireSsoPolicyReqError": {
"message": "Политиката за единствена организация не е включена."
},
"requireSsoExemption": {
"message": "Тази политика не се прилага към собствениците и администраторите на организацията."
},
"sendTypeFile": {
"message": "Файл"
},
"sendTypeText": {
"message": "Текст"
},
"createSend": {
"message": "Създаване на изпращане",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editSend": {
"message": "Редактиране на изпращане",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"createdSend": {
"message": "Създадено изпращане",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editedSend": {
"message": "Редактирано изпращане",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletedSend": {
"message": "Изтрито изпращане",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSend": {
"message": "Изтриване на изпращане",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSendConfirmation": {
"message": "Сигурни ли сте, че искате да изтриете това изпращане?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"whatTypeOfSend": {
"message": "Вид на изпратеното",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletionDate": {
"message": "Дата на изтриване"
},
"deletionDateDesc": {
"message": "Изпращането ще бъде окончателно изтрито на зададената дата и време.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDate": {
"message": "Срок на валидност"
},
"expirationDateDesc": {
"message": "При задаване — това изпращане ще се изключи на зададената дата и време.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"maxAccessCount": {
"message": "Максимален брой достъпвания"
},
"maxAccessCountDesc": {
"message": "При задаване — това изпращане ще се изключи след определен брой достъпвания.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"currentAccessCount": {
"message": "Текущ брой на достъпванията"
},
"sendPasswordDesc": {
"message": "Изискване на парола за достъп до това изпращане.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNotesDesc": {
"message": "Скрити бележки за това изпращане.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disabled": {
"message": "Изключено"
},
"sendLink": {
"message": "Изпращане на връзката",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"copySendLink": {
"message": "Копиране на връзката към изпратеното",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"removePassword": {
"message": "Премахване на парола"
},
"removedPassword": {
"message": "Паролата е премахната"
},
"removePasswordConfirmation": {
"message": "Сигурни ли сте, че искате да премахнете паролата?"
},
"hideEmail": {
"message": "Скриване на е-пощата ми от получателите."
},
"disableThisSend": {
"message": "Пълно спиране на това изпращане — никой няма да има достъп.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"allSends": {
"message": "Всички изпращания"
},
"maxAccessCountReached": {
"message": "Достигнат е максималният брой достъпвания",
"description": "This text will be displayed after a Send has been accessed the maximum amount of times."
},
"pendingDeletion": {
"message": "Предстои изтриване"
},
"expired": {
"message": "Изтекъл"
},
"searchSends": {
"message": "Търсене в изпратените",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPassword": {
"message": "Изпратеното е защитено с парола. За да продължите, въведете паролата по-долу,.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPasswordDontKnow": {
"message": "Ако не знаете паролата, поискайте от изпращача да ви я даде.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendHiddenByDefault": {
"message": "Стандартно изпращането е скрито. Може да промените това като натиснете бутона по-долу.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"downloadFile": {
"message": "Изтеглете файл"
},
"sendAccessUnavailable": {
"message": "Изпращането, което се опитвате да достъпите, е изтрито или вече не е налично.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"missingSendFile": {
"message": "Файлът за това изпращане липсва.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"noSendsInList": {
"message": "Няма изпращания за показване.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"emergencyAccess": {
"message": "Авариен достъп"
},
"emergencyAccessDesc": {
"message": "Даване и управление на извънредния достъп от страна на доверените контакти. Доверените контакти могат да заявят достъп за преглед или пълно поемане в извънредни случаи. Посетете страниците с помощта за повече информация как работи споделянето с нулева информация."
},
"emergencyAccessOwnerWarning": {
"message": "Вие сте собственик в една или повече организации. Ако дадете достъп за поемане на регистрацията ви в извънредни случаи, поелият ще може да ползва всичките ви права като собственик."
},
"trustedEmergencyContacts": {
"message": "Доверени извънредни контакти"
},
"noTrustedContacts": {
"message": "Все още не сте добавили извънредни контакти. За да почнете, поканете доверено лице."
},
"addEmergencyContact": {
"message": "Добавяне на извънредни контакти"
},
"designatedEmergencyContacts": {
"message": "Указан като извънреден контакт"
},
"noGrantedAccess": {
"message": "Все още на никой не сте задали извънреден контакт."
},
"inviteEmergencyContact": {
"message": "Покана на извънреден контакт"
},
"editEmergencyContact": {
"message": "Редактиране на извънреден контакт"
},
"inviteEmergencyContactDesc": {
"message": "Може да поканите потребител да стане извънреден контакт като попълните адреса му за електронна поща, с който е регистриран в Битуорден, по-долу. В случай, че потребителят не е регистриран, той автоматично ще получи покана и да се регистрира."
},
"emergencyAccessRecoveryInitiated": {
"message": "Начало на извънреден достъп"
},
"emergencyAccessRecoveryApproved": {
"message": "Извънредният достъп е одобрен"
},
"viewDesc": {
"message": "Може да вижда всички записи в трезора ви."
},
"takeover": {
"message": "Поемане"
},
"takeoverDesc": {
"message": "Можете да изчистите регистрацията си с нова главна парола."
},
"waitTime": {
"message": "Време за изчакване"
},
"waitTimeDesc": {
"message": "Време преди автоматичното даване на достъп."
},
"oneDay": {
"message": "1 ден"
},
"days": {
"message": "$DAYS$ ден/дни",
"placeholders": {
"days": {
"content": "$1",
"example": "1"
}
}
},
"invitedUser": {
"message": "Поканен потребител."
},
"acceptEmergencyAccess": {
"message": "Поканени сте да бъдете извънреден контакт за потребителя по-горе. За да приемете, ще трябва да се впишете в абонамента си към Битуорден. Ако нямате такъв, ще трябва да създадете безплатен абонамент и след това да се впишете в него."
},
"emergencyInviteAcceptFailed": {
"message": "Поканата не може да бъде приета. Помолете потребителя да ви прати нова."
},
"emergencyInviteAcceptFailedShort": {
"message": "Поканата не може да бъде приета. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"emergencyInviteAcceptedDesc": {
"message": "Ще може да достъпите възможностите за извънредно поемане на регистрация след потвърждаване на самоличността ви. Ще ви пратим е-писмо, когато това стане."
},
"requestAccess": {
"message": "Заявка за достъп"
},
"requestAccessConfirmation": {
"message": "Сигурни ли сте, че искате да заявите извънреден достъп? Ще го получите след $WAITTIME$ дни или след като потребителят лично одобри заявката.",
"placeholders": {
"waittime": {
"content": "$1",
"example": "1"
}
}
},
"requestSent": {
"message": "Заявен е извънреден достъп до трезора на $USER$. Ще ви пратим е-писмо, когато може да продължите.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"approve": {
"message": "Одобряване"
},
"reject": {
"message": "Отказ"
},
"approveAccessConfirmation": {
"message": "Сигурни ли сте, че искате да одобрите извънредния достъп? Това ще позволи на $USER$ да $ACTION$ вашия трезор.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
},
"action": {
"content": "$2",
"example": "View"
}
}
},
"emergencyApproved": {
"message": "Извънредният достъп е одобрен."
},
"emergencyRejected": {
"message": "Извънредният достъп е отказан."
},
"passwordResetFor": {
"message": "Паролата на потребителя $USER$ е сменена и той може вече да влезе с новата.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"personalOwnership": {
"message": "Индивидуално притежание"
},
"personalOwnershipPolicyDesc": {
"message": "Изискване потребителите да запазват записите в трезора на организацията като забраните възможността за индивидуално притежание."
},
"personalOwnershipExemption": {
"message": "Тази политика не се прилага към собствениците и администраторите на организацията."
},
"personalOwnershipSubmitError": {
"message": "Заради някоя политика за голяма организация не може да запазвате елементи в собствения си трезор. Променете собствеността да е на организация и изберете от наличните колекции."
},
"disableSend": {
"message": "Без изпращане"
},
"disableSendPolicyDesc": {
"message": "Потребителите да не могат да създават ново или да изтриват съществуващо изпращане по Битуорден. Изтриването на съществуващо изпращане продължава да е възможно.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disableSendExemption": {
"message": "Потребителите в организацията, които имат права да управляват политиките ѝ, не са ограничени от тази политика."
},
"sendDisabled": {
"message": "Изпращането е изключено",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendDisabledWarning": {
"message": "Поради политика на организация, може само да изтривате съществуващи изпращания.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptions": {
"message": "Настройки за изпращането",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyDesc": {
"message": "Настройки за създаване и редактиране на изпращания.",
"description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsExemption": {
"message": "Потребителите в организацията, които имат права да управляват политиките ѝ, не са ограничени от тази политика."
},
"disableHideEmail": {
"message": "Потребителите да не могат да скриват адреса на е-пощата си от получателите, когато създават или редактират изпращания.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyInEffect": {
"message": "В момента са в сила следните политики на организацията:"
},
"sendDisableHideEmailInEffect": {
"message": "Потребителите не могат да скриват адреса на е-пощата си от получателите, когато създават или редактират изпращания.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"modifiedPolicyId": {
"message": "Редактирана политика № $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"planPrice": {
"message": "Цена на плана"
},
"estimatedTax": {
"message": "Приблизителен данък"
},
"custom": {
"message": "По избор"
},
"customDesc": {
"message": "По-специфичен контрол на правата на потребителите при по-сложни варианти."
},
"permissions": {
"message": "Права"
},
"accessEventLogs": {
"message": "Достъп до журналите"
},
"accessImportExport": {
"message": "Достъп до в/изнасянията"
},
"accessReports": {
"message": "Достъп до отчетите"
},
"missingPermissions": {
"message": "Нямате нужните правомощия да извършите това действие."
},
"manageAllCollections": {
"message": "Управление на всички колекции"
},
"createNewCollections": {
"message": "Създаване на нови колекции"
},
"editAnyCollection": {
"message": "Edit Any Collection"
},
"deleteAnyCollection": {
"message": "Delete Any Collection"
},
"manageAssignedCollections": {
"message": "Управление на възложените колекции"
},
"editAssignedCollections": {
"message": "Редактиране на възложените колекции"
},
"deleteAssignedCollections": {
"message": "Изтриване на възложените колекции"
},
"manageGroups": {
"message": "Управление на групи"
},
"managePolicies": {
"message": "Управление на политиките"
},
"manageSso": {
"message": "Управление на еднократната идентификация (SSO)"
},
"manageUsers": {
"message": "Управление на потребителите"
},
"manageResetPassword": {
"message": "Управление на помощта при смяната на паролата"
},
"disableRequiredError": {
"message": "За да изключите тази политика, първо трябва ръчно да изключите $POLICYNAME$.",
"placeholders": {
"policyName": {
"content": "$1",
"example": "Single Sign-On Authentication"
}
}
},
"personalOwnershipPolicyInEffect": {
"message": "Политика от някоя организация влияе на вариантите за собственост."
},
"personalOwnershipPolicyInEffectImports": {
"message": "Политика на организацията забранява да внасяте елементи в личния си трезор."
},
"personalOwnershipCheckboxDesc": {
"message": "Изключване на индивидуалното притежание за потребителите в организацията"
},
"textHiddenByDefault": {
"message": "При достъп до изпращането стандартно текстът да се скрива",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNameDesc": {
"message": "Описателно име за това изпращане.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendTextDesc": {
"message": "Текст за изпращане."
},
"sendFileDesc": {
"message": "Файл за изпращане."
},
"copySendLinkOnSave": {
"message": "Копиране на връзката към изпращането при запазването му за лесно споделяне."
},
"sendLinkLabel": {
"message": "Изпращане на връзката",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"send": {
"message": "Изпращане",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineProductDesc": {
"message": "С изпращането през Битуорден може лесно и защитено да споделяте, включително и временно, информация с други потребители.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineLearnMore": {
"message": "Още за",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more about** Bitwarden Send or sign up to try it today.'"
},
"sendVaultCardProductDesc": {
"message": "Директно споделяне на текст и файлове с който и да е."
},
"sendVaultCardLearnMore": {
"message": "Научете повече",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more**, see how it works, or try it now. '"
},
"sendVaultCardSee": {
"message": "вижте",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, **see** how it works, or try it now.'"
},
"sendVaultCardHowItWorks": {
"message": "как това работи",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see **how it works**, or try it now.'"
},
"sendVaultCardOr": {
"message": "или",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, **or** try it now.'"
},
"sendVaultCardTryItNow": {
"message": "пробвайте още сега",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, or **try it now**.'"
},
"sendAccessTaglineOr": {
"message": "или",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send **or** sign up to try it today.'"
},
"sendAccessTaglineSignUp": {
"message": "се регистрирайте,",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or **sign up** to try it today.'"
},
"sendAccessTaglineTryToday": {
"message": "за да го пробвате още днес.",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or sign up to **try it today.**'"
},
"sendCreatorIdentifier": {
"message": "Потребителят на Битуорден — $USER_IDENTIFIER$, сподели следното с вас",
"placeholders": {
"user_identifier": {
"content": "$1",
"example": "An email address"
}
}
},
"viewSendHiddenEmailWarning": {
"message": "Потребителят, който е създал това изпращане, е избрал да скрие адреса на своята е-поща. Уверете се, че източникът на тази връзка е достоверен, преди да я последвате или да свалите съдържание чрез нея.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDateIsInvalid": {
"message": "Неправилна дата на валидност."
},
"deletionDateIsInvalid": {
"message": "Неправилна дата на изтриване."
},
"expirationDateAndTimeRequired": {
"message": "Необходими са дата и време на валидност."
},
"deletionDateAndTimeRequired": {
"message": "Необходима е дата на изтриване."
},
"dateParsingError": {
"message": "Грешка при запазване на датата на валидност и изтриване."
},
"webAuthnFallbackMsg": {
"message": "За да потвърдите двустепенното удостоверяване, натиснете бутона по-долу."
},
"webAuthnAuthenticate": {
"message": "Идентификация WebAuthn"
},
"webAuthnNotSupported": {
"message": "Този браузър не поддържа WebAuthn."
},
"webAuthnSuccess": {
"message": "<strong>Успешно удостоверяване чрез WebAuthn!</strong><br>Можете да затворите този раздел."
},
"hintEqualsPassword": {
"message": "Подсказването за паролата не може да съвпада с нея."
},
"enrollPasswordReset": {
"message": "Включване на помощта при смяната на паролата"
},
"enrolledPasswordReset": {
"message": "Помощта при смяната на паролата е включена"
},
"withdrawPasswordReset": {
"message": "Изключване на помощта при смяната на паролата"
},
"enrollPasswordResetSuccess": {
"message": "Успешно включване!"
},
"withdrawPasswordResetSuccess": {
"message": "Успешно изключване!"
},
"eventEnrollPasswordReset": {
"message": "Потребителят $ID$ включи помощта при смяна на паролата.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventWithdrawPasswordReset": {
"message": "Потребителят $ID$ изключи помощта при смяна на паролата.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventAdminPasswordReset": {
"message": "Главната парола на потребителя $ID$ беше сменена.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventResetSsoLink": {
"message": "Подновяване на връзката за еднократна идентификация за потребител $ID$",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"firstSsoLogin": {
"message": "$ID$ се вписа за първи път с еднократно удостоверяване",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"resetPassword": {
"message": "Смяна на паролата"
},
"resetPasswordLoggedOutWarning": {
"message": "Действието ще прекрати текущата сесия на $NAME$, след което ще се наложи той отново да се впише. Активните сесии на другите устройства може да останат такива до един час.",
"placeholders": {
"name": {
"content": "$1",
"example": "John Smith"
}
}
},
"thisUser": {
"message": "този потребител"
},
"resetPasswordMasterPasswordPolicyInEffect": {
"message": "Поне една политика на организация има следните изисквания към главната парола:"
},
"resetPasswordSuccess": {
"message": "Успешна смяна на паролата!"
},
"resetPasswordEnrollmentWarning": {
"message": "Включването ще позволи на администраторите на организацията да променят главната Ви парола. Наистина ли искате да се включите?"
},
"resetPasswordPolicy": {
"message": "Смяна на главната парола"
},
"resetPasswordPolicyDescription": {
"message": "Позволяване на администраторите на организацията да сменят главните пароли на участващите потребители."
},
"resetPasswordPolicyWarning": {
"message": "Потребителите в организацията ще трябва да се включат сами или да бъдат включени автоматично, преди администраторите да могат да сменят главните им пароли."
},
"resetPasswordPolicyAutoEnroll": {
"message": "Автоматично включване"
},
"resetPasswordPolicyAutoEnrollDescription": {
"message": "Всички потребители ще бъдат включени автоматично в смяната на пароли след като приемат поканите си."
},
"resetPasswordPolicyAutoEnrollWarning": {
"message": "Потребителите, които вече са част от организацията, няма да бъдат включени в смяната на паролите. Те ще трябва да се включат сами, преди администраторите да могат да сменят главните им пароли."
},
"resetPasswordPolicyAutoEnrollCheckbox": {
"message": "Автоматично включване на новите потребители"
},
"resetPasswordAutoEnrollInviteWarning": {
"message": "Тази организация включва автоматично новите си потребители в смяната на пароли. Това означава, че администраторите на организацията ще могат да променят главната Ви парола."
},
"resetPasswordOrgKeysError": {
"message": "Празен отговор на заявката за ключовете на организацията"
},
"resetPasswordDetailsError": {
"message": "Празен отговор на заявката за детайли относно смяната на паролата"
},
"trashCleanupWarning": {
"message": "Записите, които са били в кошчето за повече от 30 дни, ще бъдат изтривани автоматично."
},
"trashCleanupWarningSelfHosted": {
"message": "Записите, които са били известно време в кошчето, ще бъдат изтривани автоматично."
},
"passwordPrompt": {
"message": "Повторно запитване за главната парола"
},
"passwordConfirmation": {
"message": "Потвърждение на главната парола"
},
"passwordConfirmationDesc": {
"message": "Това действие е защитено. За да продължите, въведете отново главната си парола, за да потвърдите самоличността си."
},
"reinviteSelected": {
"message": "Изпращане на поканите наново"
},
"noSelectedUsersApplicable": {
"message": "Това действие не може да се изпълни за никого от избраните потребители."
},
"removeUsersWarning": {
"message": "Наистина ли искате да премахнете следните потребители? Процесът може да отнеме няколко секунди и не може да бъде прекъснат или отменен."
},
"theme": {
"message": "Облик"
},
"themeDesc": {
"message": "Изберете облика на трезора по уеб."
},
"themeSystem": {
"message": "От системата"
},
"themeDark": {
"message": "Тъмен"
},
"themeLight": {
"message": "Светъл"
},
"confirmSelected": {
"message": "Потвърждаване на избраните"
},
"bulkConfirmStatus": {
"message": "Състояние на груповото действие"
},
"bulkConfirmMessage": {
"message": "Успешно потвърдено."
},
"bulkReinviteMessage": {
"message": "Успешно изпратени наново покани."
},
"bulkRemovedMessage": {
"message": "Успешно премахване"
},
"bulkFilteredMessage": {
"message": "Изключени като неподходящи за това действие."
},
"fingerprint": {
"message": "Отпечатък"
},
"removeUsers": {
"message": "Премахване на потребителите"
},
"error": {
"message": "Грешка"
},
"resetPasswordManageUsers": {
"message": "Управлението на потребителите трябва също да бъде включено с разрешението за „Управление на помощта при смяната на паролата“"
},
"setupProvider": {
"message": "Настройка на доставчика"
},
"setupProviderLoginDesc": {
"message": "Получихте покана да настроите нов доставчик. За да продължите, трябва да се впишете или да си направите нова регистрация в Битуорден."
},
"setupProviderDesc": {
"message": "Попълнете информацията по-долу, за да завършите настройката на доставчика. Ако имате въпроси, свържете се с поддръжката."
},
"providerName": {
"message": "Име на доставчика"
},
"providerSetup": {
"message": "Доставчикът е настроен."
},
"clients": {
"message": "Клиенти"
},
"providerAdmin": {
"message": "Администратор на доставчика"
},
"providerAdminDesc": {
"message": "Потребителят с най-големи права на достъп, който може да управлява всички настройки на доставчика, както и да има достъп до и да управлява клиентските организации."
},
"serviceUser": {
"message": "Service User"
},
"serviceUserDesc": {
"message": "Service users can access and manage all client organizations."
},
"providerInviteUserDesc": {
"message": "Може да поканите потребител към доставчика си, като попълните адреса му за електронна поща, с който е регистриран в Битуорден, по-долу. В случай, че потребителят не е регистриран, той автоматично ще получи покана и да се регистрира."
},
"joinProvider": {
"message": "Присъединяване към доставчика"
},
"joinProviderDesc": {
"message": "Получихте покана да се присъедините към посочения по-горе доставчик. За да приемете, ще трябва да се впишете в абонамента си към Битуорден. Ако нямате такъв, ще трябва да създадете безплатен абонамент и след това да се впишете в него."
},
"providerInviteAcceptFailed": {
"message": "Поканата не може да бъде приета. Помолете администратора на доставчика да ви прати нова."
},
"providerInviteAcceptedDesc": {
"message": "Ще имате достъп до доставчика, след като администраторът му потвърди членството ви. Ще ви изпратим електронно писмо, когато това се случи."
},
"providerUsersNeedConfirmed": {
"message": "Има потребители, които са приели поканата си, но все още трябва да бъдат потвърдени. Потвърждаването е необходимо, за да получат достъп до доставчика."
},
"provider": {
"message": "Доставчик"
},
"newClientOrganization": {
"message": "Нова клиентска организация"
},
"newClientOrganizationDesc": {
"message": "Създаване на нова клиентска организация, за която ще играете ролята на доставчик. Вие ще имате достъп до тази организация и ще можете да я управлявате."
},
"addExistingOrganization": {
"message": "Добавяне на съществуваща организация"
},
"myProvider": {
"message": "Моят доставчик"
},
"addOrganizationConfirmation": {
"message": "Наистина ли искате да добавите $ORGANIZATION$ като клиент на $PROVIDER$?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
},
"provider": {
"content": "$2",
"example": "My Provider Name"
}
}
},
"organizationJoinedProvider": {
"message": "Организацията беше успешно добавена към доставчика"
},
"accessingUsingProvider": {
"message": "Accessing organization using provider $PROVIDER$",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"providerIsDisabled": {
"message": "Доставчикът е изключен."
},
"providerUpdated": {
"message": "Доставчикът е обновен"
},
"yourProviderIs": {
"message": "Вашият доставчик е $PROVIDER$. Той има административни и платежни права върху организацията Ви.",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"detachedOrganization": {
"message": "Организацията $ORGANIZATION$ беше отделена от доставчика Ви.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"detachOrganizationConfirmation": {
"message": "Наистина ли искате да отделите тази организация? Тя ще продължи да съществува, но вече няма да се управлява от доставчика."
},
"add": {
"message": "Добавяне"
},
"updatedMasterPassword": {
"message": "Главната парола е променена"
},
"updateMasterPassword": {
"message": "Промяна на главната парола"
},
"updateMasterPasswordWarning": {
"message": "Вашата главна парола наскоро е била сменена от администратор в организацията Ви. За да получите достъп до трезора, трябва да промените главната си парола сега. Това означава, че ще бъдете отписан(а) от текущата си сесия и ще трябва да се впишете отново. Активните сесии на други устройства може да продължат да бъдат активни още един час."
},
"masterPasswordInvalidWarning": {
"message": "Вашата главна парола не отговарян на изискванията в политиката на тази организацията. За да се присъедините към организацията, трябва да промените главната си парола сега. Това означава, че ще бъдете отписан(а) от текущата си сесия и ще трябва да се впишете отново. Активните сесии на други устройства може да продължат да бъдат активни още един час."
},
"maximumVaultTimeout": {
"message": "Време за достъп"
},
"maximumVaultTimeoutDesc": {
"message": "Настройте максимално време за достъп до трезора, което ще важи за всички потребители."
},
"maximumVaultTimeoutLabel": {
"message": "Максимално време за достъп до трезора"
},
"invalidMaximumVaultTimeout": {
"message": "Неправилно максимално време за достъп."
},
"hours": {
"message": "Часа"
},
"minutes": {
"message": "Минути"
},
"vaultTimeoutPolicyInEffect": {
"message": "Настройките на организацията Ви влияят върху времето за достъп до трезора Ви. Максималното разрешено време за достъп е $HOURS$ час(а) и $MINUTES$ минути",
"placeholders": {
"hours": {
"content": "$1",
"example": "5"
},
"minutes": {
"content": "$2",
"example": "5"
}
}
},
"customVaultTimeout": {
"message": "Персонализирано време за достъп до трезора"
},
"vaultTimeoutToLarge": {
"message": "Времето за достъп до трезора Ви превишава ограничението, определено от организацията Ви."
},
"disablePersonalVaultExport": {
"message": "Забраняване на изнасянето на личния трезор"
},
"disablePersonalVaultExportDesc": {
"message": "Забранява на потребителите да изнасят данните от своя личен трезор."
},
"vaultExportDisabled": {
"message": "Изнасянето на трезора е изключено"
},
"personalVaultExportPolicyInEffect": {
"message": "Една или повече от настройките на организацията Ви не позволяват да изнасяте личния си трезор."
},
"selectType": {
"message": "Изберете вид еднократна идентификация"
},
"type": {
"message": "Вид"
},
"openIdConnectConfig": {
"message": "Настройка на OpenID Connect"
},
"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": "Адрес за метаданни"
},
"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"
},
"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": "Проверка на сертификатите"
},
"idpEntityId": {
"message": "Entity ID"
},
"idpBindingType": {
"message": "Binding Type"
},
"idpSingleSignOnServiceUrl": {
"message": "Адрес на услугата за еднократна идентификация"
},
"idpSingleLogoutServiceUrl": {
"message": "Адрес на услугата за еднократно отписване"
},
"idpX509PublicCert": {
"message": "Публичен сертификат X509"
},
"idpOutboundSigningAlgorithm": {
"message": "Изходящ подписващ алгоритъм"
},
"idpAllowUnsolicitedAuthnResponse": {
"message": "Разрешаване на непоискан отговор при удостоверяване"
},
"idpAllowOutboundLogoutRequests": {
"message": "Разрешаване на изходящите заявки за отписване"
},
"idpSignAuthenticationRequests": {
"message": "Подписване на заявките за удостоверяване"
},
"ssoSettingsSaved": {
"message": "Настройката на еднократната идентификация е запазена."
},
"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": "Семейният план на Битуорден включва"
},
"sponsoredFamiliesPremiumAccess": {
"message": "Premium access for up to 6 users"
},
"sponsoredFamiliesSharedCollections": {
"message": "Споделени колекции за семейни тайни"
},
"badToken": {
"message": "Връзката е с изтекла давност. Помолете спонсора да изпрати отново предложението."
},
"reclaimedFreePlan": {
"message": "Reclaimed free plan"
},
"redeem": {
"message": "Redeem"
},
"sponsoredFamiliesSelectOffer": {
"message": "Select the organization you would like sponsored"
},
"familiesSponsoringOrgSelect": {
"message": "От кое предложение за безплатен семеен план искате да се възползвате?"
},
"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": "Безплатен семеен план"
},
"redeemNow": {
"message": "Redeem Now"
},
"recipient": {
"message": "Получател"
},
"removeSponsorship": {
"message": "Премахване на спонсорирането"
},
"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": "Писмото е изпратено"
},
"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": "Конекторът за ключове е недостъпен. Опитайте отново по-късно."
},
"keyConnectorUrl": {
"message": "Адрес на конектора за ключове"
},
"sendVerificationCode": {
"message": "Изпращане на код за потвърждаване до Вашата ел. поща"
},
"sendCode": {
"message": "Изпращане на кода"
},
"codeSent": {
"message": "Кодът е изпратен"
},
"verificationCode": {
"message": "Код за потвърждаване"
},
"confirmIdentity": {
"message": "Потвърдете самоличността си, за да продължите."
},
"verificationCodeRequired": {
"message": "Кодът за потвърждение е задължителен."
},
"invalidVerificationCode": {
"message": "Грешен код за потвърждаване"
},
"convertOrganizationEncryptionDesc": {
"message": "$ORGANIZATION$ използва еднократно удостоверяване със собствен сървър за ключове. Членовете на тази организация вече нямат нужда от главна парола за вписване.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"leaveOrganization": {
"message": "Напускане на организацията"
},
"removeMasterPassword": {
"message": "Премахване на главната парола"
},
"removedMasterPassword": {
"message": "Главната парола е премахната."
},
"allowSso": {
"message": "Разрешаване на еднократното удостоверяване"
},
"allowSsoDesc": {
"message": "Once set up, your configuration will be saved and members will be able to authenticate using their Identity Provider credentials."
},
"ssoPolicyHelpStart": {
"message": "Включете",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpLink": {
"message": "еднократното удостоверяване",
"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": "за да задължите всички членове да се вписват чрез еднократно удостоверяване.",
"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": "След вписване, членовете ще дешифрират данните от трезорите си чрез главната си парола."
},
"keyConnector": {
"message": "Конектор за ключове"
},
"memberDecryptionKeyConnectorDesc": {
"message": "Свържете вписването чрез еднократно удостоверяване със своя собствен сървър за ключове за дешифриране. Така няма да има нужда членовете да използват главната си парола, за да дешифрират данните от трезора си."
},
"keyConnectorPolicyRestriction": {
"message": "\"Login with SSO and Key Connector Decryption\" is enabled. This policy will only apply to Owners and Admins."
},
"enabledSso": {
"message": "Еднократното удостоверяване е включено"
},
"disabledSso": {
"message": "Еднократното удостоверяване е изключено"
},
"enabledKeyConnector": {
"message": "Конекторът за ключове е включен"
},
"disabledKeyConnector": {
"message": "Конекторът за ключове е изключен"
},
"keyConnectorWarning": {
"message": "След като конекторът за ключове е бъде настроен, настройките на членовете за дешифриране няма да могат да бъда променени."
},
"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": "Приемане на предложението"
},
"sponsoringOrg": {
"message": "Sponsoring Organization"
},
"keyConnectorTest": {
"message": "Тест"
},
"keyConnectorTestSuccess": {
"message": "Успешно свързване! Конекторът за ключове е достъпен."
},
"keyConnectorTestFail": {
"message": "Конекторът за ключове е недостъпен. Проверете адреса."
},
"sponsorshipTokenHasExpired": {
"message": "The sponsorship offer has expired."
},
"freeWithSponsorship": {
"message": "БЕЗПЛАТНО чрез спонсориране"
},
"formErrorSummaryPlural": {
"message": "$COUNT$ полета по-горе се нуждаят от вниманието Ви.",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"formErrorSummarySingle": {
"message": "1 поле по-горе се нуждае от вниманието Ви."
},
"fieldRequiredError": {
"message": "Полето „$FIELDNAME$“ е задължително.",
"placeholders": {
"fieldname": {
"content": "$1",
"example": "Full name"
}
}
},
"required": {
"message": "задължително"
},
"idpSingleSignOnServiceUrlRequired": {
"message": "Required if Entity ID is not a URL."
},
"openIdOptionalCustomizations": {
"message": "Незадължителни персонализации"
},
"openIdAuthorityRequired": {
"message": "Required if Authority is not valid."
},
"separateMultipleWithComma": {
"message": "Separate multiple with a comma."
},
"sessionTimeout": {
"message": "Сесията Ви изтече. Моля, върнете се назад и се опитайте да влезете отново."
},
"exportingPersonalVaultTitle": {
"message": "Изнасяне на личния трезор"
},
"exportingOrganizationVaultTitle": {
"message": "Изнасяне на трезора на организацията"
},
"exportingPersonalVaultDescription": {
"message": "Ще бъдат изнесени само записите от личния трезор свързан с $EMAIL$. Записите в трезора на организацията няма да бъдат включени.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
}
}
},
"exportingOrganizationVaultDescription": {
"message": "Ще бъдат изнесени само записите от трезора свързан с $ORGANIZATION$. Записите в личния трезор и тези в други организации няма да бъдат включени.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"backToReports": {
"message": "Обратно към докладите"
},
"generator": {
"message": "Генератор"
},
"whatWouldYouLikeToGenerate": {
"message": "Какво бихте искали да генерирате?"
},
"passwordType": {
"message": "Тип парола"
},
"regenerateUsername": {
"message": "Повторно генериране на потр. име"
},
"generateUsername": {
"message": "Генериране на потр. име"
},
"usernameType": {
"message": "Тип потребителско име"
},
"plusAddressedEmail": {
"message": "Plus Addressed Email",
"description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com"
},
"plusAddressedEmailDesc": {
"message": "Използвайте възможностите за под-адресиране на е-поща на своя доставчик."
},
"catchallEmail": {
"message": "Catch-all Email"
},
"catchallEmailDesc": {
"message": "Use your domain's configured catch-all inbox."
},
"random": {
"message": "Произволно"
},
"randomWord": {
"message": "Произволна дума"
},
"service": {
"message": "Услуга"
}
}
| bitwarden/web/src/locales/bg/messages.json/0 | {
"file_path": "bitwarden/web/src/locales/bg/messages.json",
"repo_id": "bitwarden",
"token_count": 103649
} | 153 |
{
"pageTitle": {
"message": "Coffre web $APP_NAME$",
"description": "The title of the website in the browser window.",
"placeholders": {
"app_name": {
"content": "$1",
"example": "Bitwarden"
}
}
},
"whatTypeOfItem": {
"message": "Quel type d'élément est-ce ?"
},
"name": {
"message": "Nom"
},
"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": "Nouvelle URI"
},
"username": {
"message": "Nom d'utilisateur"
},
"password": {
"message": "Mot de passe"
},
"newPassword": {
"message": "Nouveau mot de passe"
},
"passphrase": {
"message": "Phrase de passe"
},
"notes": {
"message": "Notes"
},
"customFields": {
"message": "Champs personnalisés"
},
"cardholderName": {
"message": "Nom du titulaire de la carte"
},
"number": {
"message": "Numéro"
},
"brand": {
"message": "Réseau de paiement"
},
"expiration": {
"message": "Expiration"
},
"securityCode": {
"message": "Cryptogramme visuel (CVV)"
},
"identityName": {
"message": "Identité"
},
"company": {
"message": "Société"
},
"ssn": {
"message": "Numéro de sécurité sociale"
},
"passportNumber": {
"message": "Numéro de passeport"
},
"licenseNumber": {
"message": "Numéro de permis"
},
"email": {
"message": "E-mail"
},
"phone": {
"message": "Téléphone"
},
"january": {
"message": "Janvier"
},
"february": {
"message": "Février"
},
"march": {
"message": "Mars"
},
"april": {
"message": "Avril"
},
"may": {
"message": "Mai"
},
"june": {
"message": "Juin"
},
"july": {
"message": "Juillet"
},
"august": {
"message": "Août"
},
"september": {
"message": "Septembre"
},
"october": {
"message": "Octobre"
},
"november": {
"message": "Novembre"
},
"december": {
"message": "Décembre"
},
"title": {
"message": "Titre"
},
"mr": {
"message": "M."
},
"mrs": {
"message": "Mme"
},
"ms": {
"message": "Mlle"
},
"dr": {
"message": "Dr"
},
"expirationMonth": {
"message": "Mois d'expiration"
},
"expirationYear": {
"message": "Année d'expiration"
},
"authenticatorKeyTotp": {
"message": "Clé d'authentification (TOTP)"
},
"folder": {
"message": "Dossier"
},
"newCustomField": {
"message": "Nouveau champ personnalisé"
},
"value": {
"message": "Valeur"
},
"dragToSort": {
"message": "Glissez pour trier"
},
"cfTypeText": {
"message": "Texte"
},
"cfTypeHidden": {
"message": "Masqué"
},
"cfTypeBoolean": {
"message": "Booléen"
},
"cfTypeLinked": {
"message": "Lié",
"description": "This describes a field that is 'linked' (related) to another field."
},
"remove": {
"message": "Retirer"
},
"unassigned": {
"message": "Non attribué"
},
"noneFolder": {
"message": "Aucun dossier",
"description": "This is the folder for uncategorized items"
},
"addFolder": {
"message": "Ajouter un dossier"
},
"editFolder": {
"message": "Modifier le dossier"
},
"baseDomain": {
"message": "Domaine de base",
"description": "Domain name. Ex. website.com"
},
"domainName": {
"message": "Nom de domaine",
"description": "Domain name. Ex. website.com"
},
"host": {
"message": "Hôte",
"description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'."
},
"exact": {
"message": "Exact"
},
"startsWith": {
"message": "Commence par"
},
"regEx": {
"message": "Expression régulière",
"description": "A programming term, also known as 'RegEx'."
},
"matchDetection": {
"message": "Détection de correspondance",
"description": "URI match detection for auto-fill."
},
"defaultMatchDetection": {
"message": "Détection de correspondance par défaut",
"description": "Default URI match detection for auto-fill."
},
"never": {
"message": "Jamais"
},
"toggleVisibility": {
"message": "Afficher/Masquer"
},
"toggleCollapse": {
"message": "Déplier/Replier",
"description": "Toggling an expand/collapse state."
},
"generatePassword": {
"message": "Générer un mot de passe"
},
"checkPassword": {
"message": "Vérifier si le mot de passe a été exposé."
},
"passwordExposed": {
"message": "Ce mot de passe a été exposé $VALUE$ fois dans des fuites de données. Vous devriez le changer.",
"placeholders": {
"value": {
"content": "$1",
"example": "2"
}
}
},
"passwordSafe": {
"message": "Ce mot de passe n'a été trouvé dans aucune fuite de données connue. Il semble sécurisé."
},
"save": {
"message": "Enregistrer"
},
"cancel": {
"message": "Annuler"
},
"canceled": {
"message": "Annulé"
},
"close": {
"message": "Fermer"
},
"delete": {
"message": "Supprimer"
},
"favorite": {
"message": "Favori"
},
"unfavorite": {
"message": "Retirer des favoris"
},
"edit": {
"message": "Modifier"
},
"searchCollection": {
"message": "Rechercher dans la collection"
},
"searchFolder": {
"message": "Rechercher dans le dossier"
},
"searchFavorites": {
"message": "Rechercher dans les favoris"
},
"searchType": {
"message": "Rechercher dans le type",
"description": "Search item type"
},
"searchVault": {
"message": "Rechercher dans le coffre"
},
"allItems": {
"message": "Tous les éléments"
},
"favorites": {
"message": "Favoris"
},
"types": {
"message": "Types"
},
"typeLogin": {
"message": "Identifiant"
},
"typeCard": {
"message": "Carte de paiement"
},
"typeIdentity": {
"message": "Identité"
},
"typeSecureNote": {
"message": "Note sécurisée"
},
"typeLoginPlural": {
"message": "Identifiants"
},
"typeCardPlural": {
"message": "Cartes"
},
"typeIdentityPlural": {
"message": "Identités"
},
"typeSecureNotePlural": {
"message": "Notes sécurisées"
},
"folders": {
"message": "Dossiers"
},
"collections": {
"message": "Collections"
},
"firstName": {
"message": "Prénom"
},
"middleName": {
"message": "Deuxième prénom"
},
"lastName": {
"message": "Nom de famille"
},
"fullName": {
"message": "Nom et prénom"
},
"address1": {
"message": "Adresse 1"
},
"address2": {
"message": "Adresse 2"
},
"address3": {
"message": "Adresse 3"
},
"cityTown": {
"message": "Ville"
},
"stateProvince": {
"message": "État / Région"
},
"zipPostalCode": {
"message": "Code postal"
},
"country": {
"message": "Pays"
},
"shared": {
"message": "Partagé"
},
"attachments": {
"message": "Pièces jointes"
},
"select": {
"message": "Sélectionner"
},
"addItem": {
"message": "Ajouter un élément"
},
"editItem": {
"message": "Modifier l'élément"
},
"viewItem": {
"message": "Afficher l'élément"
},
"ex": {
"message": "ex.",
"description": "Short abbreviation for 'example'."
},
"other": {
"message": "Autre"
},
"share": {
"message": "Partager"
},
"moveToOrganization": {
"message": "Déplacer vers l'organisation"
},
"valueCopied": {
"message": "$VALUE$ copié",
"description": "Value has been copied to the clipboard.",
"placeholders": {
"value": {
"content": "$1",
"example": "Password"
}
}
},
"copyValue": {
"message": "Copier la valeur",
"description": "Copy value to clipboard"
},
"copyPassword": {
"message": "Copier le mot de passe",
"description": "Copy password to clipboard"
},
"copyUsername": {
"message": "Copier le nom d'utilisateur",
"description": "Copy username to clipboard"
},
"copyNumber": {
"message": "Copier le numéro",
"description": "Copy credit card number"
},
"copySecurityCode": {
"message": "Copier le code de sécurité",
"description": "Copy credit card security code (CVV)"
},
"copyUri": {
"message": "Copier l'URI",
"description": "Copy URI to clipboard"
},
"myVault": {
"message": "Mon coffre"
},
"vault": {
"message": "Coffre"
},
"moveSelectedToOrg": {
"message": "Déplacer la sélection vers l'organisation"
},
"deleteSelected": {
"message": "Supprimer les éléments sélectionnés"
},
"moveSelected": {
"message": "Déplacer les éléments sélectionnés"
},
"selectAll": {
"message": "Tout sélectionner"
},
"unselectAll": {
"message": "Tout désélectionner"
},
"launch": {
"message": "Ouvrir"
},
"newAttachment": {
"message": "Ajouter une nouvelle pièce jointe"
},
"deletedAttachment": {
"message": "Pièce jointe supprimée"
},
"deleteAttachmentConfirmation": {
"message": "Êtes-vous sûr de vouloir supprimer cette pièce jointe ?"
},
"attachmentSaved": {
"message": "La pièce jointe a été enregistrée."
},
"file": {
"message": "Fichier"
},
"selectFile": {
"message": "Sélectionnez un fichier."
},
"maxFileSize": {
"message": "La taille maximale du fichier est de 500 Mo."
},
"updateKey": {
"message": "Vous ne pouvez pas utiliser cette fonctionnalité avant de mettre à jour votre clé de chiffrement."
},
"addedItem": {
"message": "Élément ajouté"
},
"editedItem": {
"message": "Élément modifié"
},
"movedItemToOrg": {
"message": "$ITEMNAME$ a été déplacé vers $ORGNAME$",
"placeholders": {
"itemname": {
"content": "$1",
"example": "Secret Item"
},
"orgname": {
"content": "$2",
"example": "Company Name"
}
}
},
"movedItemsToOrg": {
"message": "Les éléments sélectionnés ont été déplacés vers $ORGNAME$",
"placeholders": {
"orgname": {
"content": "$1",
"example": "Company Name"
}
}
},
"deleteItem": {
"message": "Supprimer l'élément"
},
"deleteFolder": {
"message": "Supprimer le dossier"
},
"deleteAttachment": {
"message": "Supprimer la pièce jointe"
},
"deleteItemConfirmation": {
"message": "Êtes-vous sûr de vouloir déplacer cet élément vers la corbeille ?"
},
"deletedItem": {
"message": "L'élément a été envoyé dans la corbeille"
},
"deletedItems": {
"message": "Les éléments ont été envoyés dans la corbeille"
},
"movedItems": {
"message": "Éléments déplacés"
},
"overwritePasswordConfirmation": {
"message": "Êtes-vous sûr de vouloir écraser le mot de passe actuel ?"
},
"editedFolder": {
"message": "Dossier modifié"
},
"addedFolder": {
"message": "Dossier ajouté"
},
"deleteFolderConfirmation": {
"message": "Êtes-vous sûr de vouloir supprimer ce dossier ?"
},
"deletedFolder": {
"message": "Dossier supprimé"
},
"loggedOut": {
"message": "Déconnecté"
},
"loginExpired": {
"message": "Votre session a expiré."
},
"logOutConfirmation": {
"message": "Êtes-vous sûr de vouloir vous déconnecter ?"
},
"logOut": {
"message": "Déconnexion"
},
"ok": {
"message": "Ok"
},
"yes": {
"message": "Oui"
},
"no": {
"message": "Non"
},
"loginOrCreateNewAccount": {
"message": "Identifiez-vous ou créez un nouveau compte pour accéder à votre coffre sécurisé."
},
"createAccount": {
"message": "Créer un compte"
},
"logIn": {
"message": "S'identifier"
},
"submit": {
"message": "Soumettre"
},
"emailAddressDesc": {
"message": "Vous utiliserez votre adresse e-mail pour vous connecter."
},
"yourName": {
"message": "Votre nom"
},
"yourNameDesc": {
"message": "Comment doit-on vous appeler ?"
},
"masterPass": {
"message": "Mot de passe maître"
},
"masterPassDesc": {
"message": "Le mot de passe maître est le mot de passe que vous utilisez pour accéder à votre coffre. Il est très important de ne pas l'oublier. Il n'existe aucun moyen de le récupérer si vous le perdez."
},
"masterPassHintDesc": {
"message": "Un indice de mot de passe maître peut vous aider à vous rappeler de votre mot de passe en cas d'oubli."
},
"reTypeMasterPass": {
"message": "Saisissez à nouveau le mot de passe maître"
},
"masterPassHint": {
"message": "Indice du mot de passe maître (facultatif)"
},
"masterPassHintLabel": {
"message": "Indice du mot de passe maître"
},
"settings": {
"message": "Paramètres"
},
"passwordHint": {
"message": "Indice du mot de passe"
},
"enterEmailToGetHint": {
"message": "Saisissez l'adresse e-mail de votre compte pour recevoir l'indice de votre mot de passe maître."
},
"getMasterPasswordHint": {
"message": "Obtenir l'indice du mot de passe maître"
},
"emailRequired": {
"message": "L'adresse e-mail est requise."
},
"invalidEmail": {
"message": "Adresse e-mail invalide."
},
"masterPassRequired": {
"message": "Le mot de passe maître est requis."
},
"masterPassLength": {
"message": "Le mot de passe maître doit au moins contenir 8 caractères."
},
"masterPassDoesntMatch": {
"message": "La confirmation du mot de passe maître ne correspond pas."
},
"newAccountCreated": {
"message": "Votre nouveau compte a été créé ! Vous pouvez maintenant vous authentifier."
},
"masterPassSent": {
"message": "Nous vous avons envoyé un e-mail contenant votre indice de mot de passe maître."
},
"unexpectedError": {
"message": "Une erreur inattendue est survenue."
},
"emailAddress": {
"message": "Adresse e-mail"
},
"yourVaultIsLocked": {
"message": "Votre coffre est verrouillé. Saisissez votre mot de passe maître pour continuer."
},
"unlock": {
"message": "Déverrouiller"
},
"loggedInAsEmailOn": {
"message": "Connecté en tant que $EMAIL$ sur $HOSTNAME$.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
},
"hostname": {
"content": "$2",
"example": "bitwarden.com"
}
}
},
"invalidMasterPassword": {
"message": "Mot de passe maître invalide"
},
"lockNow": {
"message": "Verrouiller maintenant"
},
"noItemsInList": {
"message": "Aucun élément à afficher."
},
"noCollectionsInList": {
"message": "Aucune collection à afficher."
},
"noGroupsInList": {
"message": "Aucun groupe à afficher."
},
"noUsersInList": {
"message": "Aucun utilisateur à afficher."
},
"noEventsInList": {
"message": "Aucun événement à afficher."
},
"newOrganization": {
"message": "Nouvelle organisation"
},
"noOrganizationsList": {
"message": "Vous ne faites partie d'aucune organisation. Les organisations vous permettent de partager des éléments de façon sécurisée avec d'autres utilisateurs."
},
"versionNumber": {
"message": "Version $VERSION_NUMBER$",
"placeholders": {
"version_number": {
"content": "$1",
"example": "1.2.3"
}
}
},
"enterVerificationCodeApp": {
"message": "Saisissez le code de vérification à 6 chiffres depuis votre application d'authentification."
},
"enterVerificationCodeEmail": {
"message": "Saisissez le code de vérification à 6 chiffres qui vous a été envoyé par e-mail à $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"verificationCodeEmailSent": {
"message": "E-mail de vérification envoyé à $EMAIL$.",
"placeholders": {
"email": {
"content": "$1",
"example": "example@gmail.com"
}
}
},
"rememberMe": {
"message": "Rester connecté"
},
"sendVerificationCodeEmailAgain": {
"message": "Envoyer à nouveau l'e-mail du code de vérification"
},
"useAnotherTwoStepMethod": {
"message": "Utiliser une autre méthode d'identification en deux étapes"
},
"insertYubiKey": {
"message": "Insérez votre YubiKey dans le port USB de votre ordinateur puis appuyez sur son bouton."
},
"insertU2f": {
"message": "Insérez votre clé de sécurité dans le port USB de votre ordinateur. Si elle dispose d'un bouton, appuyez dessus."
},
"loginUnavailable": {
"message": "Connexion impossible"
},
"noTwoStepProviders": {
"message": "Ce compte dispose d'une authentification en deux étapes, cependant aucun de vos services d'authentification en deux étapes n'est supporté par ce navigateur web."
},
"noTwoStepProviders2": {
"message": "Merci d'utiliser un navigateur web compatible (comme Chrome) et/ou d'ajouter des services additionnels d'identification en deux étapes qui sont mieux supportés par les navigateurs web (comme par exemple une application d'authentification)."
},
"twoStepOptions": {
"message": "Options d'identification en deux étapes"
},
"recoveryCodeDesc": {
"message": "Vous avez perdu l'accès à tous vos services d'authentification à deux facteurs ? Utilisez votre code de récupération pour désactiver tous les services d'authentification à deux facteurs sur votre compte."
},
"recoveryCodeTitle": {
"message": "Code de récupération"
},
"authenticatorAppTitle": {
"message": "Application d'authentification"
},
"authenticatorAppDesc": {
"message": "Utiliser une application d'authentification (comme Authy ou Google Authenticator) pour générer des codes de vérification basés sur le temps.",
"description": "'Authy' and 'Google Authenticator' are product names and should not be translated."
},
"yubiKeyTitle": {
"message": "Clé de sécurité YubiKey OTP"
},
"yubiKeyDesc": {
"message": "Utilisez une YubiKey pour accéder à votre compte. Fonctionne avec les YubiKey série 4, série 5 et NEO."
},
"duoDesc": {
"message": "S'authentifier avec Duo Security via l'application Duo Mobile, un SMS, un appel téléphonique, ou une clé de sécurité U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"duoOrganizationDesc": {
"message": "Sécurisez votre organisation avec Duo Security à l'aide de l'application Duo Mobile, l'envoi d'un SMS, un appel vocal ou une clé de sécurité U2F.",
"description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated."
},
"u2fDesc": {
"message": "Utiliser n'importe quelle clé de sécurité FIDO U2F active pour accéder à votre compte."
},
"u2fTitle": {
"message": "Clé de sécurité FIDO U2F"
},
"webAuthnTitle": {
"message": "WebAuthn FIDO2"
},
"webAuthnDesc": {
"message": "Utilisez n'importe quelle clé de sécurité compatible WebAuthn pour accéder à votre compte."
},
"webAuthnMigrated": {
"message": "(Migré depuis FIDO)"
},
"emailTitle": {
"message": "E-mail"
},
"emailDesc": {
"message": "Les codes de vérification vous seront envoyés par e-mail."
},
"continue": {
"message": "Continuer"
},
"organization": {
"message": "Organisation"
},
"organizations": {
"message": "Organisations"
},
"moveToOrgDesc": {
"message": "Choisissez une organisation vers laquelle vous souhaitez déplacer cet élément. Déplacer un élément vers une organisation transfère la propriété de l'élément à cette organisation. Vous ne serez plus le propriétaire direct de cet élément une fois qu'il aura été déplacé."
},
"moveManyToOrgDesc": {
"message": "Choisissez une organisation vers laquelle vous souhaitez déplacer ces éléments. Déplacer des éléments vers une organisation transfère la propriété des éléments à cette organisation. Vous ne serez plus le propriétaire direct de ces éléments une fois qu'ils auront été déplacés."
},
"collectionsDesc": {
"message": "Modifier les collections avec lesquelles cet élément est partagé. Seuls les utilisateurs de l'organisation avec un accès à ces collections pourront voir cet élément."
},
"deleteSelectedItemsDesc": {
"message": "Vous avez sélectionné $COUNT$ élément(s) à supprimer. Êtes-vous sûr de vouloir supprimer tous ces éléments ?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsDesc": {
"message": "Choisissez le dossier vers lequel vous souhaitez déplacer les $COUNT$ élément(s) sélectionné(s).",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"moveSelectedItemsCountDesc": {
"message": "Vous avez sélectionné $COUNT$ élément(s). $MOVEABLE_COUNT$ élément(s) peuvent être déplacés vers une organisation, $NONMOVEABLE_COUNT$ ne le peuvent pas.",
"placeholders": {
"count": {
"content": "$1",
"example": "10"
},
"moveable_count": {
"content": "$2",
"example": "8"
},
"nonmoveable_count": {
"content": "$3",
"example": "2"
}
}
},
"verificationCodeTotp": {
"message": "Code de vérification (TOTP)"
},
"copyVerificationCode": {
"message": "Copier le code de vérification"
},
"warning": {
"message": "Attention"
},
"confirmVaultExport": {
"message": "Confirmer l'export du coffre"
},
"exportWarningDesc": {
"message": "Cet export contient les données de votre coffre dans un format non chiffré. Vous ne devriez ni le stocker ni l'envoyer via des canaux non sécurisés (tel que l'e-mail). Supprimez-le immédiatement après l'avoir utilisé."
},
"encExportKeyWarningDesc": {
"message": "Cet export chiffre vos données en utilisant la clé de chiffrement de votre compte. Si jamais vous modifiez la clé de chiffrement de votre compte, vous devriez exporter à nouveau car vous ne pourrez pas déchiffrer ce fichier."
},
"encExportAccountWarningDesc": {
"message": "Les clés de chiffrement du compte sont spécifiques à chaque utilisateur Bitwarden. Vous ne pouvez donc pas importer d'export chiffré dans un compte différent."
},
"export": {
"message": "Exporter"
},
"exportVault": {
"message": "Exporter le coffre"
},
"fileFormat": {
"message": "Format de fichier"
},
"exportSuccess": {
"message": "Les données de votre coffre ont été exportées."
},
"passwordGenerator": {
"message": "Générateur de mot de passe"
},
"minComplexityScore": {
"message": "Score de complexité minimum"
},
"minNumbers": {
"message": "Nombre minimum de chiffres"
},
"minSpecial": {
"message": "Nombre minimum de caractères spéciaux",
"description": "Minimum Special Characters"
},
"ambiguous": {
"message": "Éviter les caractères ambigus"
},
"regeneratePassword": {
"message": "Regénérer un mot de passe"
},
"length": {
"message": "Longueur"
},
"numWords": {
"message": "Nombre de mots"
},
"wordSeparator": {
"message": "Séparateur de mots"
},
"capitalize": {
"message": "Mettre la première lettre de chaque mot en majuscule",
"description": "Make the first letter of a work uppercase."
},
"includeNumber": {
"message": "Inclure un chiffre"
},
"passwordHistory": {
"message": "Historique des mots de passe"
},
"noPasswordsInList": {
"message": "Aucun mot de passe à afficher."
},
"clear": {
"message": "Effacer",
"description": "To clear something out. example: To clear browser history."
},
"accountUpdated": {
"message": "Compte mis à jour"
},
"changeEmail": {
"message": "Changer l'e-mail"
},
"changeEmailTwoFactorWarning": {
"message": "En continuant, vous changerez l'adresse e-mail de votre compte. Cela ne changera pas l'adresse e-mail utilisée pour l'authentification à deux facteurs. Vous pouvez modifier cette adresse e-mail dans les paramètres d'identification en deux étapes."
},
"newEmail": {
"message": "Nouvel e-mail"
},
"code": {
"message": "Code"
},
"changeEmailDesc": {
"message": "Nous avons envoyé un code de vérification à $EMAIL$. Veuillez consulter votre boîte de réception pour trouver ce code et l'entrer ci-dessous pour finaliser votre changement d'adresse e-mail.",
"placeholders": {
"email": {
"content": "$1",
"example": "john.smith@example.com"
}
}
},
"loggedOutWarning": {
"message": "En continuant, vous serez déconnecté de votre session actuelle et vous devrez vous reconnecter. Les sessions actives sur d'autres appareils peuvent rester actives pendant encore une heure."
},
"emailChanged": {
"message": "Adresse e-mail modifiée"
},
"logBackIn": {
"message": "Veuillez vous reconnecter."
},
"logBackInOthersToo": {
"message": "Veuillez vous reconnecter. Si vous utilisez d'autres applications Bitwarden, déconnectez-vous puis reconnectez-vous dans ces applications également."
},
"changeMasterPassword": {
"message": "Modifier le mot de passe maître"
},
"masterPasswordChanged": {
"message": "Mot de passe maître modifié"
},
"currentMasterPass": {
"message": "Mot de passe maître actuel"
},
"newMasterPass": {
"message": "Nouveau mot de passe maître"
},
"confirmNewMasterPass": {
"message": "Confirmer le nouveau mot de passe maître"
},
"encKeySettings": {
"message": "Paramètres de la clé de chiffrement"
},
"kdfAlgorithm": {
"message": "Algorithme KDF"
},
"kdfIterations": {
"message": "Nombre d'itérations de KDF"
},
"kdfIterationsDesc": {
"message": "Un nombre plus élevé d'itérations de KDF peut aider à protéger votre mot de passe maître contre une attaque par force brute. Nous recommandons une valeur de $VALUE$ ou plus.",
"placeholders": {
"value": {
"content": "$1",
"example": "100,000"
}
}
},
"kdfIterationsWarning": {
"message": "Si vous définissez un nombre d'itérations KDF trop élevé, les performances risquent d'être mauvaises lorsque vous vous connectez (et déverrouillez) Bitwarden sur des périphériques dont les processeurs sont plus lents. Nous vous recommandons d'augmenter la valeur par incréments de $INCREMENT$, puis de tester tous vos appareils.",
"placeholders": {
"increment": {
"content": "$1",
"example": "50,000"
}
}
},
"changeKdf": {
"message": "Modifier KDF"
},
"encKeySettingsChanged": {
"message": "Paramètres de la clé de chiffrement modifiés"
},
"dangerZone": {
"message": "Zone de danger"
},
"dangerZoneDesc": {
"message": "Attention, ces actions ne sont pas réversibles !"
},
"deauthorizeSessions": {
"message": "Révoquer les sessions"
},
"deauthorizeSessionsDesc": {
"message": "Vous craignez que votre compte soit connecté sur un autre appareil ? Poursuivez ci-dessous pour révoquer tous les ordinateurs ou appareils que vous avez déjà utilisés. Cette étape de sécurité est recommandée si vous avez précédemment utilisé un ordinateur public ou enregistré accidentellement votre mot de passe sur un appareil qui n'est pas le vôtre. Cette étape effacera également toutes les sessions de connexion en deux étapes précédemment mémorisées."
},
"deauthorizeSessionsWarning": {
"message": "Si vous continuez, vous serez également déconnecté de votre session en cours, ce qui vous nécessitera de vous reconnecter. Votre second facteur d'authentification vous sera également demandé, si cette option est activée. Les sessions actives sur d'autres appareils peuvent rester actives jusqu'à une heure."
},
"sessionsDeauthorized": {
"message": "Toutes les sessions ont été révoquées"
},
"purgeVault": {
"message": "Effacer le coffre"
},
"purgedOrganizationVault": {
"message": "Le coffre de l'organisation a été effacé."
},
"vaultAccessedByProvider": {
"message": "Coffre-fort consulté par le fournisseur."
},
"purgeVaultDesc": {
"message": "Poursuivez ci-dessous pour supprimer tous les éléments et dossiers de votre coffre. Les éléments qui appartiennent à une organisation dont vous êtes membre ne seront pas supprimés."
},
"purgeOrgVaultDesc": {
"message": "Poursuivez ci-dessous pour supprimer tous les éléments du coffre de votre organisation."
},
"purgeVaultWarning": {
"message": "L'effacement votre coffre est définitif. Cette action ne peut pas être annulée."
},
"vaultPurged": {
"message": "Votre coffre a été effacé."
},
"deleteAccount": {
"message": "Supprimer le compte"
},
"deleteAccountDesc": {
"message": "Continuez ci-dessous pour supprimer votre compte et toutes les données associées."
},
"deleteAccountWarning": {
"message": "La suppression de votre compte est définitive. Cette action ne peut pas être annulée."
},
"accountDeleted": {
"message": "Compte supprimé"
},
"accountDeletedDesc": {
"message": "Votre compte a été fermé et toutes les données associées ont été supprimées."
},
"myAccount": {
"message": "Mon compte"
},
"tools": {
"message": "Outils"
},
"importData": {
"message": "Importer des données"
},
"importError": {
"message": "Erreur d'importation"
},
"importErrorDesc": {
"message": "Il y a eu un problème avec les données que vous avez essayé d'importer. Veuillez résoudre les erreurs listées ci-dessous dans votre fichier source et réessayer."
},
"importSuccess": {
"message": "Les données ont été importées dans votre coffre avec succès."
},
"importWarning": {
"message": "Vous importez des données vers $ORGANIZATION$. Vos données pourraient être partagées avec les membres de cette organisation. Voulez-vous continuer ?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"importFormatError": {
"message": "Les données ne sont pas correctement mises en forme. Veuillez vérifier le fichier importé et réessayer."
},
"importNothingError": {
"message": "Rien à importer."
},
"importEncKeyError": {
"message": "Erreur lors du déchiffrement du fichier exporté. Votre clé de chiffrement ne correspond pas à la clé de chiffrement utilisée pour exporter les données."
},
"selectFormat": {
"message": "Sélectionnez le format du fichier à importer"
},
"selectImportFile": {
"message": "Sélectionnez le fichier à importer"
},
"orCopyPasteFileContents": {
"message": "ou copiez/collez le contenu du fichier à importer"
},
"instructionsFor": {
"message": "Instructions $NAME$",
"description": "The title for the import tool instructions.",
"placeholders": {
"name": {
"content": "$1",
"example": "LastPass (csv)"
}
}
},
"options": {
"message": "Options"
},
"optionsDesc": {
"message": "Personnaliser l'expérience de votre coffre web."
},
"optionsUpdated": {
"message": "Options mises à jour"
},
"language": {
"message": "Langue"
},
"languageDesc": {
"message": "Changer la langue utilisée par le coffre web."
},
"disableIcons": {
"message": "Désactiver les icônes de sites web"
},
"disableIconsDesc": {
"message": "Les icônes de sites web permettent d'avoir une icône reconnaissable à côté de chaque identifiant dans votre coffre."
},
"enableGravatars": {
"message": "Activer Gravatar",
"description": "'Gravatar' is the name of a service. See www.gravatar.com"
},
"enableGravatarsDesc": {
"message": "Charger votre image de profil depuis gravatar.com."
},
"enableFullWidth": {
"message": "Activer la mise en page en pleine largeur",
"description": "Allows scaling the web vault UI's width"
},
"enableFullWidthDesc": {
"message": "Permettre au coffre web de s’étendre sur toute la largeur de la fenêtre du navigateur."
},
"default": {
"message": "Par défaut"
},
"domainRules": {
"message": "Règles de domaine"
},
"domainRulesDesc": {
"message": "Si vous avez un même identifiant sur plusieurs noms de domaines différents, vous pouvez marquer le site web comme \"équivalent\". Des domaines \"globaux\" sont déjà créés pour vous par Bitwarden."
},
"globalEqDomains": {
"message": "Domaines équivalents globaux"
},
"customEqDomains": {
"message": "Domaines équivalents personnalisés"
},
"exclude": {
"message": "Exclure"
},
"include": {
"message": "Inclure"
},
"customize": {
"message": "Personnaliser"
},
"newCustomDomain": {
"message": "Nouveau domaine personnalisé"
},
"newCustomDomainDesc": {
"message": "Entrez une liste de domaines séparés par des virgules. Seuls les domaines « de base » sont autorisés. N’entrez pas de sous-domaines. Par exemple, entrez « google.com » au lieu de « www.google.com ». Vous pouvez également entrer « androidapp://package.name » pour associer une application android avec d’autres domaines de sites web."
},
"customDomainX": {
"message": "Domaine personnalisé $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"domainsUpdated": {
"message": "Domaines mis à jour"
},
"twoStepLogin": {
"message": "Identification en deux étapes"
},
"twoStepLoginDesc": {
"message": "Sécuriser votre compte en exigeant une étape supplémentaire lors de la connexion."
},
"twoStepLoginOrganizationDesc": {
"message": "Exigez une connexion en deux étapes pour les utilisateurs de votre organisation en configurant les services au niveau de l'organisation."
},
"twoStepLoginRecoveryWarning": {
"message": "Activer la connexion en deux étapes peut vous empêcher définitivement d'accéder à votre compte Bitwarden. Un code de récupération vous permet d'accéder à votre compte dans le cas où vous ne pouvez plus utiliser votre service de connexion en deux étapes habituel (ex. vous perdez votre appareil). Le support Bitwarden ne pourra pas vous aider si vous perdez l'accès à votre compte. Nous vous recommandons d'écrire ou d'imprimer le code de récupération et de le conserver en lieu sûr."
},
"viewRecoveryCode": {
"message": "Voir le code de récupération"
},
"providers": {
"message": "Fournisseurs",
"description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc."
},
"enable": {
"message": "Activer"
},
"enabled": {
"message": "Activé"
},
"premium": {
"message": "Premium",
"description": "Premium Membership"
},
"premiumMembership": {
"message": "Adhésion Premium"
},
"premiumRequired": {
"message": "Adhésion Premium requise"
},
"premiumRequiredDesc": {
"message": "Une adhésion premium est requise pour utiliser cette fonctionnalité."
},
"youHavePremiumAccess": {
"message": "Vous avez un accès premium"
},
"alreadyPremiumFromOrg": {
"message": "Vous avez déjà accès aux fonctionnalités premium grâce à une organisation dont vous êtes membre."
},
"manage": {
"message": "Gérer"
},
"disable": {
"message": "Désactiver"
},
"twoStepLoginProviderEnabled": {
"message": "Ce fournisseur de connexion en deux étapes est activé sur votre compte."
},
"twoStepLoginAuthDesc": {
"message": "Entrez votre mot de passe principal pour modifier les paramètres de connexion en deux étapes."
},
"twoStepAuthenticatorDesc": {
"message": "Suivez ces étapes pour configurer la connexion en deux étapes avec une application d'authentification :"
},
"twoStepAuthenticatorDownloadApp": {
"message": "Télécharger une application d'authentification en deux étapes"
},
"twoStepAuthenticatorNeedApp": {
"message": "Besoin d'une application d'authentification en deux étapes ? Téléchargez l'une des applications suivantes"
},
"iosDevices": {
"message": "Appareils iOS"
},
"androidDevices": {
"message": "Appareils Android"
},
"windowsDevices": {
"message": "Appareils Windows"
},
"twoStepAuthenticatorAppsRecommended": {
"message": "Ces applications sont recommandées, mais d'autres applications d'authentification fonctionneront également."
},
"twoStepAuthenticatorScanCode": {
"message": "Scannez ce QR code avec votre application d'authentification"
},
"key": {
"message": "Clé"
},
"twoStepAuthenticatorEnterCode": {
"message": "Entrez le code de vérification à 6 chiffres fourni par l’application"
},
"twoStepAuthenticatorReaddDesc": {
"message": "Dans le cas où vous devez l’ajouter à un autre appareil, voici le code QR (ou clé) requis par votre application d'authentification."
},
"twoStepDisableDesc": {
"message": "Êtes-vous sûr de que vouloir désactiver ce fournisseur de connexion en deux étapes ?"
},
"twoStepDisabled": {
"message": "Fournisseur de connexion en deux étapes désactivé."
},
"twoFactorYubikeyAdd": {
"message": "Ajouter une nouvelle YubiKey à votre compte"
},
"twoFactorYubikeyPlugIn": {
"message": "Branchez la YubiKey dans un port USB de votre ordinateur."
},
"twoFactorYubikeySelectKey": {
"message": "Sélectionnez le premier champ YubiKey libre ci-dessous."
},
"twoFactorYubikeyTouchButton": {
"message": "Appuyez sur le bouton de la YubiKey."
},
"twoFactorYubikeySaveForm": {
"message": "Sauvegarder le contenu du formulaire."
},
"twoFactorYubikeyWarning": {
"message": "En raison de limitations de plateforme, les YubiKeys ne sont pas utilisables sur toutes les applications Bitwarden. Vous devriez activer un autre fournisseur de connexion en deux étapes afin de pouvoir accéder à votre compte lorsque vous ne pouvez pas utiliser les YubiKeys. Plateformes prises en charge :"
},
"twoFactorYubikeySupportUsb": {
"message": "Coffre web, application de bureau, interface ligne de commande (CLI) et toutes les extensions de navigateur sur un appareil doté d'un port USB pouvant accepter votre YubiKey."
},
"twoFactorYubikeySupportMobile": {
"message": "Applications mobiles sur un appareil avec NFC ou un port USB pouvant accepter votre YubiKey."
},
"yubikeyX": {
"message": "YubiKey $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"u2fkeyX": {
"message": "Clé U2F $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"webAuthnkeyX": {
"message": "Clé WebAuthn $INDEX$",
"placeholders": {
"index": {
"content": "$1",
"example": "2"
}
}
},
"nfcSupport": {
"message": "Support du NFC"
},
"twoFactorYubikeySupportsNfc": {
"message": "Une de mes clés supporte le NFC."
},
"twoFactorYubikeySupportsNfcDesc": {
"message": "Si une de vos YubiKeys supporte le NFC (comme la YubiKey NEO), vous serez averti sur les appareils mobiles en cas de disponibilité du NFC."
},
"yubikeysUpdated": {
"message": "Les YubiKeys ont été mises à jour"
},
"disableAllKeys": {
"message": "Désactiver toutes les clés"
},
"twoFactorDuoDesc": {
"message": "Entrez les informations de l'application Bitwarden provenant de votre panneau Duo Admin."
},
"twoFactorDuoIntegrationKey": {
"message": "Clé d'intégration"
},
"twoFactorDuoSecretKey": {
"message": "Clé secrète"
},
"twoFactorDuoApiHostname": {
"message": "Nom d'hôte de l'API"
},
"twoFactorEmailDesc": {
"message": "Suivez ces étapes pour mettre en place la connexion en deux étapes avec e-mail :"
},
"twoFactorEmailEnterEmail": {
"message": "Entrez l'e-mail où vous souhaitez recevoir les codes de vérification"
},
"twoFactorEmailEnterCode": {
"message": "Entrez le code de vérification à 6 chiffres reçu par e-mail"
},
"sendEmail": {
"message": "Envoyer l'e-mail"
},
"twoFactorU2fAdd": {
"message": "Ajouter une clé de sécurité FIDO U2F à votre compte"
},
"removeU2fConfirmation": {
"message": "Êtes-vous sûr de vouloir supprimer cette clé de sécurité ?"
},
"twoFactorWebAuthnAdd": {
"message": "Ajoutez une clé de sécurité WebAuthn à votre compte"
},
"readKey": {
"message": "Lire la clé"
},
"keyCompromised": {
"message": "La clé est compromise."
},
"twoFactorU2fGiveName": {
"message": "Donnez un nom convivial à la clé de sécurité pour l'identifier."
},
"twoFactorU2fPlugInReadKey": {
"message": "Branchez la clé de sécurité sur un port USB de votre ordinateur et cliquez sur le bouton \"Lire la clé\"."
},
"twoFactorU2fTouchButton": {
"message": "Si la clé de sécurité a un bouton, touchez-le."
},
"twoFactorU2fSaveForm": {
"message": "Sauvegarder le contenu du formulaire."
},
"twoFactorU2fWarning": {
"message": "En raison de limitations de plateforme, FIDO U2F n'est pas utilisable sur toutes les applications Bitwarden. Vous devriez activer un autre fournisseur de connexion en deux étapes afin de pouvoir accéder à votre compte lorsque vous ne pouvez pas utiliser FIDO U2F. Plateformes prises en charge :"
},
"twoFactorU2fSupportWeb": {
"message": "Coffre web et extensions sur un ordinateur fixe/portable avec un navigateur compatible U2F (Chrome, Opera, Vivaldi ou Firefox avec FIDO U2F activé)."
},
"twoFactorU2fWaiting": {
"message": "Attente de l'appui sur le bouton de votre clé de sécurité"
},
"twoFactorU2fClickSave": {
"message": "Cliquez sur le bouton « Enregistrer » ci-dessous pour activer cette clé de sécurité pour une connexion en deux étapes."
},
"twoFactorU2fProblemReadingTryAgain": {
"message": "Un problème est survenu lors de la lecture de la clé de sécurité. Veuillez réessayer."
},
"twoFactorWebAuthnWarning": {
"message": "En raison de limitations de plateforme, WebAuthn n'est pas utilisable sur toutes les applications Bitwarden. Vous devriez activer un autre fournisseur de connexion en deux étapes afin de pouvoir accéder à votre compte lorsque vous ne pouvez pas utiliser WebAuthn. Plateformes prises en charge :"
},
"twoFactorWebAuthnSupportWeb": {
"message": "Coffre web et extensions sur un ordinateur fixe/portable avec un navigateur compatible WebAuthn (Chrome, Opera, Vivaldi ou Firefox avec FIDO U2F activé)."
},
"twoFactorRecoveryYourCode": {
"message": "Votre code de récupération de connexion en deux étapes Bitwarden"
},
"twoFactorRecoveryNoCode": {
"message": "Vous n'avez pas encore activé de fournisseur de connexion en deux étapes. Après avoir activé un fournisseur de connexion en deux étapes, vous pouvez consulter ici votre code de récupération."
},
"printCode": {
"message": "Imprimer le code",
"description": "Print 2FA recovery code"
},
"reports": {
"message": "Rapports"
},
"reportsDesc": {
"message": "Identifiez et fermez les trous de sécurité dans vos comptes en ligne en cliquant sur les rapports ci-dessous."
},
"unsecuredWebsitesReport": {
"message": "Rapport sur les sites web non sécurisés"
},
"unsecuredWebsitesReportDesc": {
"message": "L'utilisation de sites Web non sécurisés avec le schéma http:// peut être dangereuse. Si le site Web le permet, vous devriez toujours y accéder en utilisant le schéma https:// afin que votre connexion soit chiffrée."
},
"unsecuredWebsitesFound": {
"message": "Sites web non sécurisés trouvés"
},
"unsecuredWebsitesFoundDesc": {
"message": "Nous avons trouvé $COUNT$ éléments dans votre coffre avec des URI non sécurisés. Vous devriez remplacer leur schéma URI par https:// si le site Web le permet.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noUnsecuredWebsites": {
"message": "Aucun élément dans votre coffre n'a d'URI non sécurisés."
},
"inactive2faReport": {
"message": "Rapport 2FA inactif"
},
"inactive2faReportDesc": {
"message": "L'authentification à deux facteurs (2FA) est un paramètre de sécurité important qui permet de sécuriser vos comptes. Si le site Web le propose, vous devriez toujours activer l'authentification à deux facteurs."
},
"inactive2faFound": {
"message": "Identifiants sans 2FA trouvés"
},
"inactive2faFoundDesc": {
"message": "Nous avons trouvé $COUNT$ site(s) web(s) dans votre coffre qui ne sont peut-être pas configurés avec une authentification à deux facteurs (d'après twofactorauth.org). Pour mieux protéger ces comptes, vous devriez activer l'authentification à deux facteurs.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noInactive2fa": {
"message": "Aucun site web n'a été trouvé dans votre coffre avec une configuration d'authentification à deux facteurs manquante."
},
"instructions": {
"message": "Instructions"
},
"exposedPasswordsReport": {
"message": "Rapport sur les mots de passe exposés"
},
"exposedPasswordsReportDesc": {
"message": "Exposed passwords are passwords have been uncovered in known data breaches that were released publicly or sold on the dark web by hackers."
},
"exposedPasswordsFound": {
"message": "Mots de passe exposés trouvés"
},
"exposedPasswordsFoundDesc": {
"message": "Nous avons trouvé $COUNT$ éléments dans votre coffre qui ont des mots de passe qui ont été exposés dans des fuites de données connues. Vous devriez les changer pour utiliser un nouveau mot de passe.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noExposedPasswords": {
"message": "Aucun élément de votre coffre n'a de mots de passe qui ont été révélés lors de fuites de données connues."
},
"checkExposedPasswords": {
"message": "Vérifier les mots de passe exposés"
},
"exposedXTimes": {
"message": "Exposé $COUNT$ fois",
"placeholders": {
"count": {
"content": "$1",
"example": "52"
}
}
},
"weakPasswordsReport": {
"message": "Rapport sur les mots de passe faibles"
},
"weakPasswordsReportDesc": {
"message": "Les mots de passe faibles peuvent être facilement devinés par des pirates informatiques et des outils automatisés qui sont utilisés pour pirater les mots de passe. Le générateur de mots de passe Bitwarden peut vous aider à créer des mots de passe forts."
},
"weakPasswordsFound": {
"message": "Mots de passe faibles trouvés"
},
"weakPasswordsFoundDesc": {
"message": "Nous avons trouvé $COUNT$ éléments dans votre coffre avec des mots de passe qui ne sont pas forts. Vous devriez les mettre à jour pour utiliser des mots de passe plus forts.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noWeakPasswords": {
"message": "Aucun élément dans votre coffre n'a de mots de passe faibles."
},
"reusedPasswordsReport": {
"message": "Rapport sur les mots de passe réutilisés"
},
"reusedPasswordsReportDesc": {
"message": "Si un service que vous utilisez est compromis, la réutilisation du même mot de passe ailleurs peut permettre aux pirates d'accéder facilement à un plus grand nombre de vos comptes en ligne. Vous devriez utiliser un mot de passe unique pour chaque compte ou service."
},
"reusedPasswordsFound": {
"message": "Mots de passe réutilisés trouvés"
},
"reusedPasswordsFoundDesc": {
"message": "Nous avons trouvé $COUNT$ mots de passe qui sont réutilisés dans votre coffre. Vous devriez les changer pour utiliser des mots de passe différents.",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"noReusedPasswords": {
"message": "Aucun identifiant dans votre coffre n'a de mots de passe qui sont réutilisés."
},
"reusedXTimes": {
"message": "Réutilisé $COUNT$ fois",
"placeholders": {
"count": {
"content": "$1",
"example": "8"
}
}
},
"dataBreachReport": {
"message": "Rapport sur les fuites de données"
},
"breachDesc": {
"message": "Une « fuite » est un incident où les données d'un site ont été obtenues illégalement par des pirates informatiques, puis rendues publiques. Examinez les types de données qui ont été compromis (adresses électroniques, mots de passe, cartes de crédit, etc.) et prenez les mesures appropriées, comme la modification des mots de passe."
},
"breachCheckUsernameEmail": {
"message": "Vérifiez tous les noms d'utilisateur ou les adresses électroniques que vous utilisez."
},
"checkBreaches": {
"message": "Vérifier les fuites"
},
"breachUsernameNotFound": {
"message": "$USERNAME$ n'a été trouvé dans aucune fuite de données.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
}
}
},
"goodNews": {
"message": "Bonne nouvelle",
"description": "ex. Good News, No Breached Accounts Found!"
},
"breachUsernameFound": {
"message": "$USERNAME$ a été trouvé dans $COUNT$ fuites de données différentes en ligne.",
"placeholders": {
"username": {
"content": "$1",
"example": "user@example.com"
},
"count": {
"content": "$2",
"example": "7"
}
}
},
"breachFound": {
"message": "Des comptes ayant fuité ont été trouvés"
},
"compromisedData": {
"message": "Données compromises"
},
"website": {
"message": "Site web"
},
"affectedUsers": {
"message": "Utilisateurs concernés"
},
"breachOccurred": {
"message": "Une fuite a eu lieu"
},
"breachReported": {
"message": "Fuite signalée"
},
"reportError": {
"message": "Une erreur est survenue en essayant de charger le rapport. Réessayez"
},
"billing": {
"message": "Facturation"
},
"accountCredit": {
"message": "Compte créditeur",
"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": "Solde du compte",
"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": "Ajouter du crédit",
"description": "Add more credit to your account's balance."
},
"amount": {
"message": "Montant",
"description": "Dollar amount, or quantity."
},
"creditDelayed": {
"message": "Le crédit ajouté apparaîtra sur votre compte une fois que le paiement aura été entièrement traité. Certains moyens de paiement sont différés et peuvent prendre plus de temps à traiter que d'autres."
},
"makeSureEnoughCredit": {
"message": "Veuillez vous assurer que votre compte dispose d'un crédit suffisant pour cet achat. Si le crédit de votre compte n'est pas suffisant, votre mode de paiement par défaut sera utilisé pour régler la différence. Vous pouvez ajouter du crédit à votre compte à partir de la page Facturation."
},
"creditAppliedDesc": {
"message": "Le crédit de votre compte peut être utilisé pour régler vos achats. Tout crédit disponible sera automatiquement appliqué aux factures générées pour ce compte."
},
"goPremium": {
"message": "Devenir Premium",
"description": "Another way of saying \"Get a premium membership\""
},
"premiumUpdated": {
"message": "Vous venez de passer à un compte Premium."
},
"premiumUpgradeUnlockFeatures": {
"message": "Mettez à niveau votre compte vers un abonnement premium et débloquez d'incroyables fonctionnalités supplémentaires."
},
"premiumSignUpStorage": {
"message": "1 Go de stockage de fichiers chiffrés."
},
"premiumSignUpTwoStep": {
"message": "Options d'identification en deux étapes additionnelles comme YubiKey, FIDO U2F et Duo."
},
"premiumSignUpEmergency": {
"message": "Accès d'urgence"
},
"premiumSignUpReports": {
"message": "Rapports sur l'hygiène des mots de passe, la santé des comptes et les fuites de données pour assurer la sécurité de votre coffre."
},
"premiumSignUpTotp": {
"message": "Génération d'un code de vérification TOTP (2FA) pour les identifiants de votre coffre."
},
"premiumSignUpSupport": {
"message": "Support client prioritaire."
},
"premiumSignUpFuture": {
"message": "Toutes les futures options premium. D'autres suivront prochainement !"
},
"premiumPrice": {
"message": "Tout pour seulement $PRICE$ /an !",
"placeholders": {
"price": {
"content": "$1",
"example": "$10"
}
}
},
"addons": {
"message": "Add-ons"
},
"premiumAccess": {
"message": "Accès premium"
},
"premiumAccessDesc": {
"message": "Vous pouvez offrir un accès premium à tous les membres de votre organisation pour $PRICE$/$INTERVAL$.",
"placeholders": {
"price": {
"content": "$1",
"example": "$3.33"
},
"interval": {
"content": "$2",
"example": "'month' or 'year'"
}
}
},
"additionalStorageGb": {
"message": "Stockage additionnel (Go)"
},
"additionalStorageGbDesc": {
"message": "# Go additionnels"
},
"additionalStorageIntervalDesc": {
"message": "Votre offre comprend $SIZE$ de stockage de fichiers chiffrés. Vous pouvez ajouter du stockage supplémentaire pour $PRICE$ par Go/$INTERVAL$.",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
},
"price": {
"content": "$2",
"example": "$4.00"
},
"interval": {
"content": "$3",
"example": "'month' or 'year'"
}
}
},
"summary": {
"message": "Récapitulatif"
},
"total": {
"message": "Total"
},
"year": {
"message": "an"
},
"month": {
"message": "mois"
},
"monthAbbr": {
"message": "mois",
"description": "Short abbreviation for 'month'"
},
"paymentChargedAnnually": {
"message": "Votre mode de paiement sera facturé immédiatement et de manière récurrente chaque année. Vous pouvez annuler à tout moment."
},
"paymentCharged": {
"message": "Votre mode de paiement sera facturé immédiatement et de manière récurrente chaque $INTERVAL$. Vous pouvez annuler à tout moment.",
"placeholders": {
"interval": {
"content": "$1",
"example": "month or year"
}
}
},
"paymentChargedWithTrial": {
"message": "Votre offre comprend un essai gratuit de 7 jours. Votre mode de paiement ne sera pas facturé avant la fin de la période d'essai. Vous pouvez annuler à tout moment."
},
"paymentInformation": {
"message": "Informations de paiement"
},
"billingInformation": {
"message": "Informations de facturation"
},
"creditCard": {
"message": "Carte de crédit"
},
"paypalClickSubmit": {
"message": "Cliquez sur le bouton PayPal pour vous connecter sur votre compte PayPal, puis cliquez sur le bouton Soumettre ci-dessous pour continuer."
},
"cancelSubscription": {
"message": "Annuler l'abonnement"
},
"subscriptionCanceled": {
"message": "L'abonnement a été annulé."
},
"pendingCancellation": {
"message": "Annulation en attente"
},
"subscriptionPendingCanceled": {
"message": "L’abonnement a été marqué pour être annulé à la fin de la période de facturation actuelle."
},
"reinstateSubscription": {
"message": "Rétablir l’abonnement"
},
"reinstateConfirmation": {
"message": "Êtes-vous sûr de vouloir retirer la demande d’annulation en attente et rétablir votre abonnement ?"
},
"reinstated": {
"message": "Votre abonnement a été rétabli."
},
"cancelConfirmation": {
"message": "Êtes-vous sûr de vouloir annuler ? Vous perdrez l’accès à toutes les fonctionnalités de l’abonnement à la fin de ce cycle de facturation."
},
"canceledSubscription": {
"message": "L'abonnement a été annulé."
},
"neverExpires": {
"message": "N'expire jamais"
},
"status": {
"message": "État"
},
"nextCharge": {
"message": "Prochain paiement"
},
"details": {
"message": "Détails"
},
"downloadLicense": {
"message": "Télécharger la licence"
},
"updateLicense": {
"message": "Mettre à jour la licence"
},
"updatedLicense": {
"message": "Licence mise à jour"
},
"manageSubscription": {
"message": "Gérer l'abonnement"
},
"storage": {
"message": "Stockage"
},
"addStorage": {
"message": "Ajouter du stockage"
},
"removeStorage": {
"message": "Retirer du stockage"
},
"subscriptionStorage": {
"message": "Votre abonnement a un total de $MAX_STORAGE$ Go de stockage de fichiers chiffrés. Vous utilisez actuellement $USED_STORAGE$.",
"placeholders": {
"max_storage": {
"content": "$1",
"example": "4"
},
"used_storage": {
"content": "$2",
"example": "65 MB"
}
}
},
"paymentMethod": {
"message": "Moyen de paiement"
},
"noPaymentMethod": {
"message": "Aucun moyen de paiement enregistré."
},
"addPaymentMethod": {
"message": "Ajouter un moyen de paiement"
},
"changePaymentMethod": {
"message": "Changer de moyen de paiement"
},
"invoices": {
"message": "Factures"
},
"noInvoices": {
"message": "Aucune facture."
},
"paid": {
"message": "Payée",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"unpaid": {
"message": "Due",
"description": "Past tense status of an invoice. ex. Paid or unpaid."
},
"transactions": {
"message": "Transactions",
"description": "Payment/credit transactions."
},
"noTransactions": {
"message": "Aucune transaction."
},
"chargeNoun": {
"message": "Débit",
"description": "Noun. A charge from a payment method."
},
"refundNoun": {
"message": "Remboursement",
"description": "Noun. A refunded payment that was charged."
},
"chargesStatement": {
"message": "Tous les frais apparaîtront sur votre relevé sous $STATEMENT_NAME$.",
"placeholders": {
"statement_name": {
"content": "$1",
"example": "BITWARDEN"
}
}
},
"gbStorageAdd": {
"message": "Go de stockage à ajouter"
},
"gbStorageRemove": {
"message": "Go de stockage à retirer"
},
"storageAddNote": {
"message": "L'ajout d'espace de stockage entraînera des ajustements sur vos totaux de facturation et facturera immédiatement le moyen de paiement enregistré. La première facturation sera calculée au prorata du reste du cycle de facturation en cours."
},
"storageRemoveNote": {
"message": "La suppression d'espace de stockage entraînera des ajustements sur vos totaux de facturation qui seront calculés au prorata et portés au crédit de votre prochaine facturation."
},
"adjustedStorage": {
"message": "$AMOUNT$ Go de stockage mis à jour.",
"placeholders": {
"amount": {
"content": "$1",
"example": "5"
}
}
},
"contactSupport": {
"message": "Contacter le support client"
},
"updatedPaymentMethod": {
"message": "Moyen de paiement mise à jour."
},
"purchasePremium": {
"message": "Acheter Premium"
},
"licenseFile": {
"message": "Fichier de licence"
},
"licenseFileDesc": {
"message": "Votre fichier de licence aura un nom similaire à $FILE_NAME$",
"placeholders": {
"file_name": {
"content": "$1",
"example": "bitwarden_premium_license.json"
}
}
},
"uploadLicenseFilePremium": {
"message": "Pour mettre à niveau votre compte vers un abonnement premium, vous devez fournir un fichier de licence valide."
},
"uploadLicenseFileOrg": {
"message": "Pour créer une organisation sur une instance auto-hébergée vous devez fournir un fichier de licence valide."
},
"accountEmailMustBeVerified": {
"message": "L'adresse e-mail de votre compte doit être vérifiée."
},
"newOrganizationDesc": {
"message": "Les organisations permettent de partager des parties de votre coffre avec d'autres personnes ainsi que de gérer des utilisateurs pour une entité spécifique comme une famille, une petite équipe ou une grande entreprise."
},
"generalInformation": {
"message": "Informations générales"
},
"organizationName": {
"message": "Nom de l'organisation"
},
"accountOwnedBusiness": {
"message": "Ce compte est détenu par une entreprise."
},
"billingEmail": {
"message": "E-mail de facturation"
},
"businessName": {
"message": "Nom de l'entreprise"
},
"chooseYourPlan": {
"message": "Choisissez votre offre"
},
"users": {
"message": "Utilisateurs"
},
"userSeats": {
"message": "Licences utilisateur"
},
"additionalUserSeats": {
"message": "Licences utilisateur supplémentaires"
},
"userSeatsDesc": {
"message": "Nombre de licences utilisateur"
},
"userSeatsAdditionalDesc": {
"message": "Votre offre comprend $BASE_SEATS$ licences utilisateurs. Vous pouvez ajouter des utilisateurs supplémentaires pour $SEAT_PRICE$ par utilisateur/mois.",
"placeholders": {
"base_seats": {
"content": "$1",
"example": "5"
},
"seat_price": {
"content": "$2",
"example": "$2.00"
}
}
},
"userSeatsHowManyDesc": {
"message": "De combien de licences utilisateur avez-vous besoin ? Vous pouvez également en ajouter ultérieurement si besoin."
},
"planNameFree": {
"message": "Gratuit",
"description": "Free as in 'free beer'."
},
"planDescFree": {
"message": "Pour tester ou pour les utilisateurs individuels qui souhaitent partager avec $COUNT$ autre(s) utilisateur(s).",
"placeholders": {
"count": {
"content": "$1",
"example": "1"
}
}
},
"planNameFamilies": {
"message": "Familles"
},
"planDescFamilies": {
"message": "Pour une utilisation personnelle, pour partager avec la famille et les amis."
},
"planNameTeams": {
"message": "Équipes"
},
"planDescTeams": {
"message": "Pour les entreprises et autres équipes."
},
"planNameEnterprise": {
"message": "Entreprise"
},
"planDescEnterprise": {
"message": "Pour les entreprises et autres grandes organisations."
},
"freeForever": {
"message": "Gratuit pour toujours"
},
"includesXUsers": {
"message": "comprend $COUNT$ utilisateurs",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"additionalUsers": {
"message": "Utilisateurs supplémentaires"
},
"costPerUser": {
"message": "$COST$ par utilisateur",
"placeholders": {
"cost": {
"content": "$1",
"example": "$3"
}
}
},
"limitedUsers": {
"message": "Limité à $COUNT$ utilisateurs (vous inclus)",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"limitedCollections": {
"message": "Limité à $COUNT$ collections",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"addShareLimitedUsers": {
"message": "Ajoutez et partagez avec jusqu'à $COUNT$ utilisateurs",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"addShareUnlimitedUsers": {
"message": "Ajoutez et partagez avec un nombre illimité d'utilisateurs"
},
"createUnlimitedCollections": {
"message": "Créez un nombre illimité de collections"
},
"gbEncryptedFileStorage": {
"message": "$SIZE$ de stockage de fichiers chiffrés",
"placeholders": {
"size": {
"content": "$1",
"example": "1 GB"
}
}
},
"onPremHostingOptional": {
"message": "Hébergement local (optionnel)"
},
"usersGetPremium": {
"message": "Les utilisateurs auront accès aux fonctionnalités premium"
},
"controlAccessWithGroups": {
"message": "Contrôlez l'accès des utilisateurs avec des groupes"
},
"syncUsersFromDirectory": {
"message": "Synchronisez vos utilisateurs et vos groupes à partir d'un répertoire"
},
"trackAuditLogs": {
"message": "Suivez les actions des utilisateurs avec les journaux d'audit"
},
"enforce2faDuo": {
"message": "Forcez l'authentification à deux facteurs (2FA) avec Duo"
},
"priorityCustomerSupport": {
"message": "Support client prioritaire"
},
"xDayFreeTrial": {
"message": "$COUNT$ jours d'essai gratuit, annulez à tout moment",
"placeholders": {
"count": {
"content": "$1",
"example": "7"
}
}
},
"monthly": {
"message": "Mensuel"
},
"annually": {
"message": "Annuel"
},
"basePrice": {
"message": "Prix de base"
},
"organizationCreated": {
"message": "L'organisation a été créée"
},
"organizationReadyToGo": {
"message": "Votre nouvelle organisation est prête !"
},
"organizationUpgraded": {
"message": "Votre organisation a été mise à niveau."
},
"leave": {
"message": "Quitter"
},
"leaveOrganizationConfirmation": {
"message": "Êtes-vous sûr de vouloir quitter cette organisation ?"
},
"leftOrganization": {
"message": "Vous avez quitté l'organisation."
},
"defaultCollection": {
"message": "Collection par défaut"
},
"getHelp": {
"message": "Obtenir de l'aide"
},
"getApps": {
"message": "Télécharger les applications"
},
"loggedInAs": {
"message": "Connecté en tant que"
},
"eventLogs": {
"message": "Journal des événements"
},
"people": {
"message": "Personnes"
},
"policies": {
"message": "Politiques"
},
"singleSignOn": {
"message": "Authentification unique"
},
"editPolicy": {
"message": "Modifier la politique"
},
"groups": {
"message": "Groupes"
},
"newGroup": {
"message": "Nouveau groupe"
},
"addGroup": {
"message": "Ajouter un groupe"
},
"editGroup": {
"message": "Modifier le groupe"
},
"deleteGroupConfirmation": {
"message": "Êtes-vous sûr de vouloir supprimer ce groupe?"
},
"removeUserConfirmation": {
"message": "Êtes-vous sûr de vouloir retirer cet utilisateur ?"
},
"removeUserConfirmationKeyConnector": {
"message": "Attention ! Cet utilisateur a besoin de Key Connector pour gérer son chiffrement. Supprimer cet utilisateur de votre organisation désactivera définitivement son compte. Cette action ne peut pas être annulée. Voulez-vous continuer?"
},
"externalId": {
"message": "Identifiant externe"
},
"externalIdDesc": {
"message": "L’identifiant externe peut être utilisé comme référence ou pour lier cette ressource à un système externe tel qu’un répertoire utilisateur."
},
"accessControl": {
"message": "Contrôle d’accès"
},
"groupAccessAllItems": {
"message": "Ce groupe peut voir et modifier tous les éléments."
},
"groupAccessSelectedCollections": {
"message": "Ce groupe peut accéder uniquement aux collections sélectionnées."
},
"readOnly": {
"message": "Lecture seule"
},
"newCollection": {
"message": "Nouvelle collection"
},
"addCollection": {
"message": "Ajouter une collection"
},
"editCollection": {
"message": "Modifier la collection"
},
"deleteCollectionConfirmation": {
"message": "Êtes-vous sûr de vouloir supprimer cette collection?"
},
"editUser": {
"message": "Modifier un utilisateur"
},
"inviteUser": {
"message": "Inviter un utilisateur"
},
"inviteUserDesc": {
"message": "Invitez de nouveaux utilisateurs à votre organisation en entrant l'adresse e-mail de leur compte Bitwarden ci-dessous. S'ils n’ont pas déjà un compte Bitwarden, il leur sera demandé d'en créer un nouveau."
},
"inviteMultipleEmailDesc": {
"message": "Vous pouvez inviter jusqu'à $COUNT$ utilisateurs à la fois en séparant les adresses e-mail par une virgule.",
"placeholders": {
"count": {
"content": "$1",
"example": "20"
}
}
},
"userUsingTwoStep": {
"message": "Cet utilisateur utilise l'identification en deux étapes pour protéger son compte."
},
"userAccessAllItems": {
"message": "Cet utilisateur peut voir et modifier tous les éléments."
},
"userAccessSelectedCollections": {
"message": "Cet utilisateur peut accéder uniquement aux collections sélectionnées."
},
"search": {
"message": "Rechercher"
},
"invited": {
"message": "Invité"
},
"accepted": {
"message": "Accepté"
},
"confirmed": {
"message": "Confirmé"
},
"clientOwnerEmail": {
"message": "Adresse e-mail du propriétaire du client"
},
"owner": {
"message": "Propriétaire"
},
"ownerDesc": {
"message": "L’utilisateur avec l’accès le plus élevé qui peut gérer tous les aspects de votre organisation."
},
"clientOwnerDesc": {
"message": "Cet utilisateur doit être indépendant du fournisseur. Si le fournisseur est dissocié de l'organisation, cet utilisateur conservera la propriété de l'organisation."
},
"admin": {
"message": "Administrateur"
},
"adminDesc": {
"message": "Les administrateurs peuvent voir et gérer tous les éléments, les collections et les utilisateurs de votre organisation."
},
"user": {
"message": "Utilisateur"
},
"userDesc": {
"message": "Un utilisateur standard avec accès aux collections qui lui sont assignées dans votre organisation."
},
"manager": {
"message": "Gestionnaire"
},
"managerDesc": {
"message": "Les gestionnaires peuvent voir et gérer les collections de votre organisation qui leur ont été assignées."
},
"all": {
"message": "Tous"
},
"refresh": {
"message": "Actualiser"
},
"timestamp": {
"message": "Horodatage"
},
"event": {
"message": "Évènement"
},
"unknown": {
"message": "Inconnu"
},
"loadMore": {
"message": "Plus de résultats"
},
"mobile": {
"message": "Mobile",
"description": "Mobile app"
},
"extension": {
"message": "Extension",
"description": "Browser extension/addon"
},
"desktop": {
"message": "Ordinateur",
"description": "Desktop app"
},
"webVault": {
"message": "Coffre web"
},
"loggedIn": {
"message": "Connecté."
},
"changedPassword": {
"message": "Mot de passe changé."
},
"enabledUpdated2fa": {
"message": "Connexion en deux étapes activée/mise à jour."
},
"disabled2fa": {
"message": "Connexion en deux étapes désactivée."
},
"recovered2fa": {
"message": "Compte récupéré depuis une connexion en deux étapes."
},
"failedLogin": {
"message": "Tentative de connexion avec mot de passe incorrect."
},
"failedLogin2fa": {
"message": "Tentative de connexion échouée avec deuxième facteur incorrect."
},
"exportedVault": {
"message": "Le coffre a été exporté."
},
"exportedOrganizationVault": {
"message": "Le coffre de l'organisation a été exporté."
},
"editedOrgSettings": {
"message": "Paramètres de l’organisation modifiés."
},
"createdItemId": {
"message": "Élément $ID$ créé.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedItemId": {
"message": "Élément $ID$ modifié.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedItemId": {
"message": "L'élément $ID$ a été envoyé dans la corbeille.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"movedItemIdToOrg": {
"message": "L'élément $ID$ a été déplacé vers une organisation.",
"placeholders": {
"id": {
"content": "$1",
"example": "'Google'"
}
}
},
"viewedItemId": {
"message": "L'élément $ID$ a été consulté.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedPasswordItemId": {
"message": "Le mot de passe de l'élément $ID$ a été consulté.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedHiddenFieldItemId": {
"message": "Un champ masqué de l’élément $ID$ a été consulté.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"viewedSecurityCodeItemId": {
"message": "Le code de sécurité de l’élément $ID$ a été consulté.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedPasswordItemId": {
"message": "Le mot de passe de l'élément $ID$ a été copié.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedHiddenFieldItemId": {
"message": "Un champ masqué de l’élément $ID$ a été copié.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"copiedSecurityCodeItemId": {
"message": "Le code de sécurité de l’élément $ID$ a été copié.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"autofilledItemId": {
"message": "L’élément $ID$ a été rempli automatiquement.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"createdCollectionId": {
"message": "Collection $ID$ créée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedCollectionId": {
"message": "Collection $ID$ modifiée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"deletedCollectionId": {
"message": "Collection $ID$ supprimée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Server Passwords"
}
}
},
"editedPolicyId": {
"message": "Politique $ID$ modifiée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"createdGroupId": {
"message": "Groupe $ID$ créé.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"editedGroupId": {
"message": "Groupe $ID$ modifié.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"deletedGroupId": {
"message": "Groupe $ID$ supprimé.",
"placeholders": {
"id": {
"content": "$1",
"example": "Developers"
}
}
},
"removedUserId": {
"message": "Utilisateur $ID$ retiré.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdAttachmentForItem": {
"message": "La pièce jointe pour l'élément $ID$ a été créée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"deletedAttachmentForItem": {
"message": "La pièce jointe de l'élément $ID$ a été supprimée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"editedCollectionsForItem": {
"message": "Collections éditées pour l'élément $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"invitedUserId": {
"message": "Utilisateur $ID$ invité.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmedUserId": {
"message": "Utilisateur $ID$ confirmé.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedUserId": {
"message": "Utilisateur $ID$ modifié.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"editedGroupsForUser": {
"message": "Groupes édités pour l'utilisateur $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"unlinkedSsoUser": {
"message": "SSO dissocié pour l'utilisateur $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"createdOrganizationId": {
"message": "Organisation $ID$ créée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"addedOrganizationId": {
"message": "Organisation $ID$ ajoutée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"removedOrganizationId": {
"message": "Organisation $ID$ supprimée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"accessedClientVault": {
"message": "Coffre-fort de l'organisation $ID$ consulté.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"device": {
"message": "Appareil"
},
"view": {
"message": "Voir"
},
"invalidDateRange": {
"message": "Plage de dates non valide."
},
"errorOccurred": {
"message": "Une erreur est survenue."
},
"userAccess": {
"message": "Accès utilisateur"
},
"userType": {
"message": "Type d'utilisateur"
},
"groupAccess": {
"message": "Accès groupe"
},
"groupAccessUserDesc": {
"message": "Modifier les groupes auxquels appartient cet utilisateur."
},
"invitedUsers": {
"message": "Utilisateur(s) invité(s)."
},
"resendInvitation": {
"message": "Renvoyer l'invitation"
},
"resendEmail": {
"message": "Renvoyer l'email"
},
"hasBeenReinvited": {
"message": "$USER$ a été réinvité.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirm": {
"message": "Confirmer"
},
"confirmUser": {
"message": "Confirmer l'utilisateur"
},
"hasBeenConfirmed": {
"message": "$USER$ a été confirmé.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"confirmUsers": {
"message": "Confirmer les utilisateurs"
},
"usersNeedConfirmed": {
"message": "Il y a des utilisateurs qui ont accepté leur invitation, mais qui doivent encore être confirmés. Les utilisateurs n'auront pas accès à l'organisation tant qu'ils n'auront pas été confirmés."
},
"startDate": {
"message": "Date de début"
},
"endDate": {
"message": "Date de fin"
},
"verifyEmail": {
"message": "Vérifier l'adresse e-mail"
},
"verifyEmailDesc": {
"message": "Vérifiez l'adresse e-mail de votre compte pour débloquer l'ensemble des fonctionnalités."
},
"verifyEmailFirst": {
"message": "L'adresse e-mail de votre compte doit d'abord être vérifiée."
},
"checkInboxForVerification": {
"message": "Vérifiez votre boîte de réception pour le lien de vérification."
},
"emailVerified": {
"message": "Votre adresse e-mail a été vérifiée."
},
"emailVerifiedFailed": {
"message": "Impossible de vérifier votre adresse e-mail. Essayez de renvoyer un nouvel e-mail de vérification."
},
"emailVerificationRequired": {
"message": "Vérification de l'adresse e-mail nécessaire"
},
"emailVerificationRequiredDesc": {
"message": "Vous devez vérifier votre adresse e-mail pour utiliser cette fonctionnalité."
},
"updateBrowser": {
"message": "Mettre à jour le navigateur"
},
"updateBrowserDesc": {
"message": "Vous utilisez un navigateur non supporté. Le coffre web pourrait ne pas fonctionner correctement."
},
"joinOrganization": {
"message": "Rejoindre l'organisation"
},
"joinOrganizationDesc": {
"message": "Vous avez été invité à rejoindre l'organisation ci-dessus. Pour accepter l'invitation, vous devez vous connecter ou créer un nouveau compte Bitwarden."
},
"inviteAccepted": {
"message": "Invitation acceptée"
},
"inviteAcceptedDesc": {
"message": "Vous pourrez accéder à cette organisation dès qu'un administrateur aura confirmé votre inscription. Nous vous enverrons un e-mail lorsque ce sera fait."
},
"inviteAcceptFailed": {
"message": "Impossible d’accepter l’invitation. Demandez à un administrateur de l'organisation d’envoyer une nouvelle invitation."
},
"inviteAcceptFailedShort": {
"message": "Impossible d'accepter l'invitation. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"rememberEmail": {
"message": "Se souvenir de l'e-mail"
},
"recoverAccountTwoStepDesc": {
"message": "Si vous ne pouvez pas accéder à votre compte grâce à vos méthodes de connexion en deux étapes habituelles, vous pouvez utiliser votre code de récupération de connexion en deux étapes pour désactiver tous les fournisseurs en deux étapes sur votre compte."
},
"recoverAccountTwoStep": {
"message": "Récupération de connexion en deux étapes"
},
"twoStepRecoverDisabled": {
"message": "L'authentification en deux étapes a été désactivée sur votre compte."
},
"learnMore": {
"message": "En savoir plus"
},
"deleteRecoverDesc": {
"message": "Entrez votre adresse e-mail ci-dessous pour récupérer et supprimer votre compte."
},
"deleteRecoverEmailSent": {
"message": "Si votre compte existe, nous vous avons envoyé un e-mail avec des instructions supplémentaires."
},
"deleteRecoverConfirmDesc": {
"message": "Vous avez demandé de supprimer votre compte Bitwarden. Cliquez sur le bouton ci-dessous pour confirmer."
},
"myOrganization": {
"message": "Mon organisation"
},
"deleteOrganization": {
"message": "Supprimer l'organisation"
},
"deletingOrganizationContentWarning": {
"message": "Entrez le mot de passe maître pour confirmer la suppression de $ORGANIZATION$ et de toutes les données associées. Les données du coffre dans $ORGANIZATION$ inclut:",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"deletingOrganizationActiveUserAccountsWarning": {
"message": "Les comptes utilisateur resteront actifs après la suppression, mais ne seront plus associés à cette organisation."
},
"deletingOrganizationIsPermanentWarning": {
"message": "La suppression de $ORGANIZATION$ est permanente et irréversible.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"organizationDeleted": {
"message": "Organisation supprimée"
},
"organizationDeletedDesc": {
"message": "L’organisation et toutes les données associées ont été supprimées."
},
"organizationUpdated": {
"message": "Organisation mise à jour"
},
"taxInformation": {
"message": "Informations fiscales"
},
"taxInformationDesc": {
"message": "Pour les clients aux États-Unis, le code postal (ZIP) est requis pour satisfaire aux exigences de la taxe de vente. Pour d'autres pays, vous pouvez éventuellement fournir un numéro d'identification fiscale (TVA/TPS) et/ou une adresse à afficher sur vos factures."
},
"billingPlan": {
"message": "Offre",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlan": {
"message": "Changer d'offre",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"changeBillingPlanUpgrade": {
"message": "Mettez à niveau votre compte vers un autre plan en fournissant les informations ci-dessous. Assurez-vous qu'un mode de paiement actif a été ajouté au compte.",
"description": "A billing plan/package. For example: families, teams, enterprise, etc."
},
"invoiceNumber": {
"message": "Facture n°$NUMBER$",
"description": "ex. Invoice #79C66F0-0001",
"placeholders": {
"number": {
"content": "$1",
"example": "79C66F0-0001"
}
}
},
"viewInvoice": {
"message": "Afficher la facture"
},
"downloadInvoice": {
"message": "Télécharger la facture"
},
"verifyBankAccount": {
"message": "Vérifier le compte bancaire"
},
"verifyBankAccountDesc": {
"message": "Nous avons effectué deux dépôts d'un faible montant sur votre compte bancaire (ils peuvent prendre 1-2 jours ouvrés pour apparaître). Saisissez ces montants pour valider le compte bancaire."
},
"verifyBankAccountInitialDesc": {
"message": "Le paiement avec un compte bancaire est seulement disponible pour les clients résidant aux États-Unis. Il vous sera demandé de valider votre compte bancaire. Nous effectuerons deux dépôts d'un faible montant sous 1-2 jours ouvrés. Saisissez ces montants sur la page de facturation de votre organisation pour valider votre compte bancaire."
},
"verifyBankAccountFailureWarning": {
"message": "Une erreur lors de la validation de votre compte bancaire annulera le paiement et votre abonnement sera désactivé."
},
"verifiedBankAccount": {
"message": "Le compte bancaire a été vérifié."
},
"bankAccount": {
"message": "Compte bancaire"
},
"amountX": {
"message": "Montant $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": "Code banque",
"description": "Bank account routing number"
},
"accountNumber": {
"message": "Numéro de compte"
},
"accountHolderName": {
"message": "Nom du titulaire du compte"
},
"bankAccountType": {
"message": "Type de compte"
},
"bankAccountTypeCompany": {
"message": "Entreprise (professionnel)"
},
"bankAccountTypeIndividual": {
"message": "Individuel (personnel)"
},
"enterInstallationId": {
"message": "Saisissez l'identifiant de votre installation"
},
"limitSubscriptionDesc": {
"message": "Définissez un nombre de licences limite pour votre abonnement. Une fois cette limite atteinte, vous ne pourrez plus inviter de nouveaux utilisateurs."
},
"maxSeatLimit": {
"message": "Nombre de licences maximum (optionnel)",
"description": "Upper limit of seats to allow through autoscaling"
},
"maxSeatCost": {
"message": "Coût potentiel maximal des licences"
},
"addSeats": {
"message": "Ajouter des licences",
"description": "Seat = User Seat"
},
"removeSeats": {
"message": "Retirer des licences",
"description": "Seat = User Seat"
},
"subscriptionDesc": {
"message": "Les ajustements apportés à votre abonnement entraîneront des modifications au prorata de vos totaux de facturation. Si les utilisateurs nouvellement invités dépassent votre nombre de licences, vous recevrez immédiatement des frais au prorata pour les utilisateurs supplémentaires."
},
"subscriptionUserSeats": {
"message": "Votre abonnement permet un total de $COUNT$ utilisateurs.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"limitSubscription": {
"message": "Limiter le nombre de licences (optionnel)"
},
"subscriptionSeats": {
"message": "Licences"
},
"subscriptionUpdated": {
"message": "Abonnement mis à jour"
},
"additionalOptions": {
"message": "Options supplémentaires"
},
"additionalOptionsDesc": {
"message": "Pour obtenir de l'aide supplémentaire dans la gestion de votre abonnement, veuillez contacter le support client."
},
"subscriptionUserSeatsUnlimitedAutoscale": {
"message": "Les ajustements apportés à votre abonnement entraîneront des modifications au prorata de vos totaux de facturation. Si les utilisateurs nouvellement invités dépassent votre nombre de licences, vous recevrez immédiatement des frais au prorata pour les utilisateurs supplémentaires."
},
"subscriptionUserSeatsLimitedAutoscale": {
"message": "Les ajustements apportés à votre abonnement entraîneront des modifications au prorata de vos totaux de facturation. Si les utilisateurs nouvellement invités dépassent votre nombre de licences, vous recevrez immédiatement des frais au prorata pour les utilisateurs supplémentaires jusqu'à ce que votre limite de $MAX$ licences soit atteinte.",
"placeholders": {
"max": {
"content": "$1",
"example": "50"
}
}
},
"subscriptionFreePlan": {
"message": "Vous ne pouvez pas inviter plus de $COUNT$ utilisateurs sans mettre votre offre à niveau.",
"placeholders": {
"count": {
"content": "$1",
"example": "2"
}
}
},
"subscriptionFamiliesPlan": {
"message": "Vous ne pouvez pas inviter plus de $COUNT$ utilisateurs sans mettre votre offre à niveau. Veuillez contacter le support client pour mettre à niveau.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionSponsoredFamiliesPlan": {
"message": "Votre offre permet un total de $COUNT$ utilisateurs. Votre abonnement est parrainé et facturé à une organisation externe.",
"placeholders": {
"count": {
"content": "$1",
"example": "6"
}
}
},
"subscriptionMaxReached": {
"message": "Les ajustements apportés à votre abonnement entraîneront des modifications au prorata de vos totaux de facturation. Vous ne pouvez pas inviter plus de $COUNT$ utilisateurs sans augmenter votre nombre de licences.",
"placeholders": {
"count": {
"content": "$1",
"example": "50"
}
}
},
"seatsToAdd": {
"message": "Licences à ajouter"
},
"seatsToRemove": {
"message": "Licences à retirer"
},
"seatsAddNote": {
"message": "L'ajout de licences utilisateur entraînera des ajustements sur vos totaux de facturation et facturera immédiatement le moyen de paiement enregistré. La première facturation sera calculée au prorata du reste du cycle de facturation en cours."
},
"seatsRemoveNote": {
"message": "La suppression de licences utilisateur entraînera des ajustements sur vos totaux de facturation qui seront calculés au prorata et portés au crédit de votre prochaine facturation."
},
"adjustedSeats": {
"message": "$AMOUNT$ licences utilisateurs mis à jour.",
"placeholders": {
"amount": {
"content": "$1",
"example": "15"
}
}
},
"keyUpdated": {
"message": "Clé mise à jour"
},
"updateKeyTitle": {
"message": "Mettre à jour la clé"
},
"updateEncryptionKey": {
"message": "Mettre à jour la clé de chiffrement"
},
"updateEncryptionKeyShortDesc": {
"message": "Vous utilisez actuellement un moyen de chiffrement obsolète."
},
"updateEncryptionKeyDesc": {
"message": "Nous sommes passés à des clés de chiffrement plus longues qui fournissent une meilleure sécurité et permettent l'accès à de nouvelles fonctionnalités. La mise à jour de votre clé de chiffrement est rapide et facile. Tapez simplement votre mot de passe maître ci-dessous. Cette mise à jour deviendra peut-être obligatoire."
},
"updateEncryptionKeyWarning": {
"message": "Après avoir mis à jour votre clé de chiffrement, vous devrez vous reconnecter sur toutes les applications Bitwarden que vous utilisez actuellement (comme par exemple l'application mobile ou les extensions de navigateur). Le fait de ne pas vous déconnecter et de vous reconnecter (ce qui télécharge votre nouvelle clé de chiffrement) pourrait entraîner une corruption des données. Nous allons essayer de vous déconnecter automatiquement, mais cela demande un peu de temps."
},
"updateEncryptionKeyExportWarning": {
"message": "Tous les exports chiffrés que vous avez enregistrés deviendront également invalides."
},
"subscription": {
"message": "Abonnement"
},
"loading": {
"message": "Chargement"
},
"upgrade": {
"message": "Mettre à niveau"
},
"upgradeOrganization": {
"message": "Mettre à niveau l'organisation"
},
"upgradeOrganizationDesc": {
"message": "Cette fonctionnalité n'est pas disponible pour les organisations gratuites. Passez à une offre payante pour débloquer plus de fonctionnalités."
},
"createOrganizationStep1": {
"message": "Créer une organisation : Étape 1"
},
"createOrganizationCreatePersonalAccount": {
"message": "Avant de créer votre organisation, vous devez d’abord créer un compte personnel gratuit."
},
"refunded": {
"message": "Remboursé"
},
"nothingSelected": {
"message": "Vous n'avez rien sélectionné."
},
"acceptPolicies": {
"message": "En cochant cette case, vous acceptez les éléments suivants :"
},
"acceptPoliciesError": {
"message": "Les conditions d'utilisation et la politique de confidentialité n'ont pas été acceptées."
},
"termsOfService": {
"message": "Conditions d'utilisation"
},
"privacyPolicy": {
"message": "Politique de confidentialité"
},
"filters": {
"message": "Filtres"
},
"vaultTimeout": {
"message": "Délai d'expiration du coffre"
},
"vaultTimeoutDesc": {
"message": "Choisissez quand votre coffre expirera et effectuera l'action sélectionnée."
},
"oneMinute": {
"message": "1 minute"
},
"fiveMinutes": {
"message": "5 minutes"
},
"fifteenMinutes": {
"message": "15 minutes"
},
"thirtyMinutes": {
"message": "30 minutes"
},
"oneHour": {
"message": "1 heure"
},
"fourHours": {
"message": "4 heures"
},
"onRefresh": {
"message": "Au rechargement de la page"
},
"dateUpdated": {
"message": "Mis à jour",
"description": "ex. Date this item was updated"
},
"datePasswordUpdated": {
"message": "Mot de passe mis à jour",
"description": "ex. Date this password was updated"
},
"organizationIsDisabled": {
"message": "L'organisation est désactivée."
},
"licenseIsExpired": {
"message": "La licence a expiré."
},
"updatedUsers": {
"message": "Utilisateurs mis à jour"
},
"selected": {
"message": "Sélectionné(s)"
},
"ownership": {
"message": "Propriété"
},
"whoOwnsThisItem": {
"message": "À qui appartient cet élément ?"
},
"strong": {
"message": "Fort",
"description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"good": {
"message": "Suffisant",
"description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weak": {
"message": "Faible",
"description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"veryWeak": {
"message": "Très faible",
"description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong"
},
"weakMasterPassword": {
"message": "Mot de passe maître faible"
},
"weakMasterPasswordDesc": {
"message": "Le mot de passe maître que vous avez choisi est faible. Vous devriez utiliser un mot de passe (ou une phrase de passe) fort(e) pour protéger correctement votre compte Bitwarden. Êtes-vous sûr de vouloir utiliser ce mot de passe maître ?"
},
"rotateAccountEncKey": {
"message": "Révoquer également la clé de chiffrement de mon compte"
},
"rotateEncKeyTitle": {
"message": "Révoquer la clé de chiffrement"
},
"rotateEncKeyConfirmation": {
"message": "Êtes-vous sûr de vouloir révoquer la clé de chiffrement de votre compte ?"
},
"attachmentsNeedFix": {
"message": "Cet élément a d'anciennes pièces jointes qui doivent être réparées."
},
"attachmentFixDesc": {
"message": "Il s'agit d'une ancienne pièce jointe qui doit être réparée. Cliquez pour en savoir plus."
},
"fix": {
"message": "Réparer",
"description": "This is a verb. ex. 'Fix The Car'"
},
"oldAttachmentsNeedFixDesc": {
"message": "Il y a d'anciennes pièces jointes dans votre coffre qui doivent être réparées avant que vous ne puissiez révoquer la clé de chiffrement de votre compte."
},
"yourAccountsFingerprint": {
"message": "La phrase d'empreinte de votre compte",
"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": "Pour assurer l'intégrité de vos clés de chiffrement, merci de saisir la phrase d'empreinte de l'utilisateur avant de continuer.",
"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": "Ne jamais demander de vérifier la phrase d'empreinte pour les utilisateurs invités (non recommandé)",
"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": "Gratuit",
"description": "Free, as in 'Free beer'"
},
"apiKey": {
"message": "Clé d'API"
},
"apiKeyDesc": {
"message": "Votre clé d'API peut être utilisée pour s'authentifier auprès de l'API publique Bitwarden."
},
"apiKeyRotateDesc": {
"message": "Révoquer la clé d'API invalidera la clé précédente. Vous pouvez révoquer votre clé d'API si vous pensez que la clé actuelle a été compromise."
},
"apiKeyWarning": {
"message": "Votre clé d'API a un accès complet à l'organisation. Elle doit être gardée secrète."
},
"userApiKeyDesc": {
"message": "Votre clé d'API peut être utilisée pour vous authentifier dans l'interface ligne de commande (CLI) de Bitwarden."
},
"userApiKeyWarning": {
"message": "Votre clé d'API est un mécanisme d'authentification alternatif. Elle doit être gardée secrète."
},
"oauth2ClientCredentials": {
"message": "Identifiants du client OAuth 2.0",
"description": "'OAuth 2.0' is a programming protocol. It should probably not be translated."
},
"viewApiKey": {
"message": "Voir la clé d'API"
},
"rotateApiKey": {
"message": "Révoquer la clé d'API"
},
"selectOneCollection": {
"message": "Vous devez sélectionner au moins une collection."
},
"couldNotChargeCardPayInvoice": {
"message": "Nous n'avons pas pu compléter le paiement sur votre carte. Veuillez consulter et payer la facture impayée ci-dessous."
},
"inAppPurchase": {
"message": "Achat intégré"
},
"cannotPerformInAppPurchase": {
"message": "Vous ne pouvez pas effectuer cette action tant que vous utilisez les achats intégrés comme méthode de paiement."
},
"manageSubscriptionFromStore": {
"message": "Vous devez gérer votre abonnement à partir du magasin d’applications où votre achat intégré a été souscrit."
},
"minLength": {
"message": "Longueur minimale"
},
"clone": {
"message": "Cloner"
},
"masterPassPolicyDesc": {
"message": "Définir des exigences minimales pour la force du mot de passe maître."
},
"twoStepLoginPolicyDesc": {
"message": "Exiger que les utilisateurs définissent une connexion en deux étapes sur leurs comptes personnels."
},
"twoStepLoginPolicyWarning": {
"message": "Les membres de l'organisation (hors propriétaires et administrateurs) qui n'ont pas activé la connexion en deux étapes sur leur compte personnel seront supprimés de l'organisation et recevront un courriel les informant du changement."
},
"twoStepLoginPolicyUserWarning": {
"message": "Vous êtes membre d'une organisation qui nécessite que la connexion en deux étapes soit activée sur votre compte utilisateur. Si vous désactivez tous les fournisseurs de connexion en deux étapes, vous serez automatiquement retiré de ces organisations."
},
"passwordGeneratorPolicyDesc": {
"message": "Définir les exigences minimales pour la configuration du générateur de mot de passe."
},
"passwordGeneratorPolicyInEffect": {
"message": "Une ou plusieurs politiques d'organisation affectent les paramètres de votre générateur."
},
"masterPasswordPolicyInEffect": {
"message": "Une ou plusieurs politiques de l'organisation exigent que votre mot de passe maître réponde aux exigences suivantes :"
},
"policyInEffectMinComplexity": {
"message": "Score de complexité minimum de $SCORE$",
"placeholders": {
"score": {
"content": "$1",
"example": "4"
}
}
},
"policyInEffectMinLength": {
"message": "Longueur minimale de $LENGTH$",
"placeholders": {
"length": {
"content": "$1",
"example": "14"
}
}
},
"policyInEffectUppercase": {
"message": "Contenir une ou plusieurs majuscules"
},
"policyInEffectLowercase": {
"message": "Contenir une ou plusieurs minuscules"
},
"policyInEffectNumbers": {
"message": "Contenir un ou plusieurs chiffres"
},
"policyInEffectSpecial": {
"message": "Contenir un ou plusieurs des caractères spéciaux suivants $CHARS$",
"placeholders": {
"chars": {
"content": "$1",
"example": "!@#$%^&*"
}
}
},
"masterPasswordPolicyRequirementsNotMet": {
"message": "Votre nouveau mot de passe maître ne répond pas aux exigences de la politique."
},
"minimumNumberOfWords": {
"message": "Nombre minimum de mots"
},
"defaultType": {
"message": "Type par défaut"
},
"userPreference": {
"message": "Choix laissé à l'utilisateur"
},
"vaultTimeoutAction": {
"message": "Action lors de l'expiration du délai du coffre"
},
"vaultTimeoutActionLockDesc": {
"message": "Un coffre verrouillé requiert la saisie de votre mot de passe maître pour y avoir à nouveau accès."
},
"vaultTimeoutActionLogOutDesc": {
"message": "Un coffre déconnecté nécessite que vous vous ré-authentifiez pour y accéder de nouveau."
},
"lock": {
"message": "Verrouiller",
"description": "Verb form: to make secure or inaccesible by"
},
"trash": {
"message": "Corbeille",
"description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted"
},
"searchTrash": {
"message": "Rechercher dans la corbeille"
},
"permanentlyDelete": {
"message": "Supprimer définitivement"
},
"permanentlyDeleteSelected": {
"message": "Supprimer définitivement la sélection"
},
"permanentlyDeleteItem": {
"message": "Supprimer définitivement l'élément"
},
"permanentlyDeleteItemConfirmation": {
"message": "Êtes-vous sûr de vouloir supprimer définitivement cet élément ?"
},
"permanentlyDeletedItem": {
"message": "Élément supprimé définitivement"
},
"permanentlyDeletedItems": {
"message": "Éléments supprimés définitivement"
},
"permanentlyDeleteSelectedItemsDesc": {
"message": "Vous avez sélectionné $COUNT$ élément(s) à supprimer définitivement. Êtes-vous sûr de vouloir supprimer définitivement tous ces éléments ?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"permanentlyDeletedItemId": {
"message": "Élément $ID$ supprimé définitivement.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"restore": {
"message": "Restaurer"
},
"restoreSelected": {
"message": "Restaurer la sélection"
},
"restoreItem": {
"message": "Restaurer l'élément"
},
"restoredItem": {
"message": "Élément restauré"
},
"restoredItems": {
"message": "Éléments restaurés"
},
"restoreItemConfirmation": {
"message": "Êtes-vous sûr de vouloir restaurer cet élément ?"
},
"restoreItems": {
"message": "Restaurer les éléments"
},
"restoreSelectedItemsDesc": {
"message": "Vous avez sélectionné $COUNT$ élément(s) à restaurer. Êtes-vous sûr de vouloir restaurer tous ces éléments ?",
"placeholders": {
"count": {
"content": "$1",
"example": "150"
}
}
},
"restoredItemId": {
"message": "Élément $ID$ restauré.",
"placeholders": {
"id": {
"content": "$1",
"example": "Google"
}
}
},
"vaultTimeoutLogOutConfirmation": {
"message": "La déconnexion supprimera tous les accès à votre coffre et nécessite une authentification en ligne après la période d'expiration. Êtes-vous sûr de vouloir utiliser ce paramètre?"
},
"vaultTimeoutLogOutConfirmationTitle": {
"message": "Confirmation de l'action lors de l'expiration du délai"
},
"hidePasswords": {
"message": "Masquer les mots de passe"
},
"countryPostalCodeRequiredDesc": {
"message": "Nous avons besoin de ces renseignements seulement pour calculer les taxes de vente et compléter les rapports financiers."
},
"includeVAT": {
"message": "Inclure des informations pour la TVA/TPS (facultatif)"
},
"taxIdNumber": {
"message": "Identifiant TVA/TPS"
},
"taxInfoUpdated": {
"message": "Informations sur les taxes mises à jour."
},
"setMasterPassword": {
"message": "Définir le mot de passe maître"
},
"ssoCompleteRegistration": {
"message": "Afin de terminer la connexion avec SSO, veuillez définir un mot de passe maître pour accéder à votre coffre et le protéger."
},
"identifier": {
"message": "Identifiant"
},
"organizationIdentifier": {
"message": "Identifiant de l'organisation"
},
"ssoLogInWithOrgIdentifier": {
"message": "Connectez-vous en utilisant le portail de connexion unique de votre organisation. Veuillez entrer l'identifiant de votre organisation pour commencer."
},
"enterpriseSingleSignOn": {
"message": "Portail de connexion unique d'entreprise (Single Sign-On)"
},
"ssoHandOff": {
"message": "Vous pouvez maintenant fermer cet onglet et continuer dans l'extension."
},
"includeAllTeamsFeatures": {
"message": "Toutes les fonctionnalités pour les équipes, plus :"
},
"includeSsoAuthentication": {
"message": "Authentification SSO via SAML2.0 et OpenID Connect"
},
"includeEnterprisePolicies": {
"message": "Politiques d'entreprise"
},
"ssoValidationFailed": {
"message": "Échec de la validation SSO"
},
"ssoIdentifierRequired": {
"message": "L'identifiant de l'organisation est requis."
},
"unlinkSso": {
"message": "Délier SSO"
},
"unlinkSsoConfirmation": {
"message": "Êtes-vous sûr de vouloir supprimer le lien SSO pour cette organisation?"
},
"linkSso": {
"message": "Lier SSO"
},
"singleOrg": {
"message": "Organisation Unique"
},
"singleOrgDesc": {
"message": "Empêcher les utilisateurs de pouvoir rejoindre d'autres organisations."
},
"singleOrgBlockCreateMessage": {
"message": "Votre organisation actuelle a une politique qui ne vous permet pas de rejoindre plus d'une organisation. Veuillez contacter les administrateurs de votre organisation ou vous inscrire à partir d'un compte Bitwarden différent."
},
"singleOrgPolicyWarning": {
"message": "Les membres de l'organisation qui ne sont ni propriétaires ni administrateurs et qui sont déjà membres d'une autre organisation seront retirés de votre organisation."
},
"requireSso": {
"message": "Authentification par Connexion Unique (Single Sign-On)"
},
"requireSsoPolicyDesc": {
"message": "Exiger que les utilisateurs se connectent avec la méthode du portail de connexion unique d'entreprise."
},
"prerequisite": {
"message": "Prérequis"
},
"requireSsoPolicyReq": {
"message": "La politique d'entreprise \"Organisation Unique\" doit être activée avant d'activer cette politique."
},
"requireSsoPolicyReqError": {
"message": "La politique \"Organisation Unique\" n'est pas activée."
},
"requireSsoExemption": {
"message": "Les propriétaires et les administrateurs de l'organisation sont exonérés de l'application de cette politique."
},
"sendTypeFile": {
"message": "Fichier"
},
"sendTypeText": {
"message": "Texte"
},
"createSend": {
"message": "Créer un nouveau Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editSend": {
"message": "Modifier le Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"createdSend": {
"message": "Send créé",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"editedSend": {
"message": "Send modifié",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletedSend": {
"message": "Send supprimé",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSend": {
"message": "Supprimer le Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deleteSendConfirmation": {
"message": "Êtes-vous sûr de vouloir supprimer ce Send ?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"whatTypeOfSend": {
"message": "De quel type de Send s'agit-il ?",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"deletionDate": {
"message": "Date de suppression"
},
"deletionDateDesc": {
"message": "Le Send sera définitivement supprimé à la date et heure spécifiées.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDate": {
"message": "Date d'expiration"
},
"expirationDateDesc": {
"message": "Si défini, l'accès à ce Send expirera à la date et heure spécifiées.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"maxAccessCount": {
"message": "Nombre maximum d'accès"
},
"maxAccessCountDesc": {
"message": "Si défini, les utilisateurs ne seront plus en mesure d'accéder à ce Send une fois que le nombre maximum d'accès sera atteint.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"currentAccessCount": {
"message": "Nombre d'accès actuel"
},
"sendPasswordDesc": {
"message": "Vous pouvez, si vous le souhaitez, exiger un mot de passe pour accéder à ce Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNotesDesc": {
"message": "Notes privées à propos de ce Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disabled": {
"message": "Désactivé"
},
"sendLink": {
"message": "Lien du Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"copySendLink": {
"message": "Copier le lien du Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"removePassword": {
"message": "Supprimer le mot de passe"
},
"removedPassword": {
"message": "Mot de passe supprimé"
},
"removePasswordConfirmation": {
"message": "Êtes-vous sûr de vouloir supprimer le mot de passe ?"
},
"hideEmail": {
"message": "Cacher mon adresse e-mail aux destinataires."
},
"disableThisSend": {
"message": "Désactiver ce Send pour que personne ne puisse y accéder.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"allSends": {
"message": "Tous les Sends"
},
"maxAccessCountReached": {
"message": "Nombre maximum d'accès atteint",
"description": "This text will be displayed after a Send has been accessed the maximum amount of times."
},
"pendingDeletion": {
"message": "En attente de suppression"
},
"expired": {
"message": "Expiré"
},
"searchSends": {
"message": "Rechercher dans les Sends",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPassword": {
"message": "Ce Send est protégé par un mot de passe. Veuillez saisir le mot de passe ci-dessous pour continuer.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendProtectedPasswordDontKnow": {
"message": "Vous ne connaissez pas le mot de passe ? Demandez à l'expéditeur le mot de passe nécessaire pour accéder à ce Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendHiddenByDefault": {
"message": "Ce Send est masqué par défaut. Vous pouvez changer sa visibilité en utilisant le bouton ci-dessous.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"downloadFile": {
"message": "Télécharger le fichier"
},
"sendAccessUnavailable": {
"message": "Le Send que vous essayez d'accéder n'existe pas ou n'est plus disponible.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"missingSendFile": {
"message": "Le fichier associé à ce Send est introuvable.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"noSendsInList": {
"message": "Il n'y a aucun Send à afficher.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"emergencyAccess": {
"message": "Accès d'urgence"
},
"emergencyAccessDesc": {
"message": "Accorder et gérer l'accès d'urgence pour les contacts de confiance. Les contacts de confiance peuvent demander l'accès à votre compte pour l'afficher ou en prendre le contrôle en cas d'urgence. Visitez notre page d'aide pour plus d'informations et de détails sur le fonctionnement du partage à divulgation nulle de connaissance."
},
"emergencyAccessOwnerWarning": {
"message": "Vous êtes propriétaire d'une ou de plusieurs organisations. Si vous autorisez la prise de contrôle à un contact d'urgence, il sera en mesure d'utiliser toutes vos permissions de propriétaire après la prise de contrôle."
},
"trustedEmergencyContacts": {
"message": "Contacts d'urgence de confiance"
},
"noTrustedContacts": {
"message": "Vous n'avez pas encore ajouté de contacts d'urgence, invitez un contact de confiance pour commencer."
},
"addEmergencyContact": {
"message": "Ajouter un contact d'urgence"
},
"designatedEmergencyContacts": {
"message": "Désigné comme contact d'urgence"
},
"noGrantedAccess": {
"message": "Vous n'avez pas encore été désigné comme contact d'urgence pour qui que ce soit."
},
"inviteEmergencyContact": {
"message": "Inviter un contact d'urgence"
},
"editEmergencyContact": {
"message": "Modifier le contact d'urgence"
},
"inviteEmergencyContactDesc": {
"message": "Invitez un nouveau contact d'urgence en entrant l'adresse e-mail de leur compte Bitwarden ci-dessous. S'ils n'ont pas encore de compte Bitwarden, ils seront invités à en créer un."
},
"emergencyAccessRecoveryInitiated": {
"message": "Accès d'urgence initié"
},
"emergencyAccessRecoveryApproved": {
"message": "Accès d'urgence approuvé"
},
"viewDesc": {
"message": "Peut afficher tous les éléments dans votre propre coffre."
},
"takeover": {
"message": "Prise de contrôle"
},
"takeoverDesc": {
"message": "Peut réinitialiser votre compte avec un nouveau mot de passe maître."
},
"waitTime": {
"message": "Période d'attente"
},
"waitTimeDesc": {
"message": "Temps nécessaire avant d'accorder l'accès automatiquement."
},
"oneDay": {
"message": "1 jour"
},
"days": {
"message": "$DAYS$ jours",
"placeholders": {
"days": {
"content": "$1",
"example": "1"
}
}
},
"invitedUser": {
"message": "Utilisateur invité."
},
"acceptEmergencyAccess": {
"message": "Vous avez été invité à devenir un contact d'urgence pour l'utilisateur indiqué ci-dessus. Pour accepter l'invitation, vous devez vous connecter ou créer un nouveau compte Bitwarden."
},
"emergencyInviteAcceptFailed": {
"message": "Impossible d'accepter l'invitation. Demandez à l'utilisateur d'envoyer une nouvelle invitation."
},
"emergencyInviteAcceptFailedShort": {
"message": "Impossible d'accepter l'invitation. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must enable 2FA on your user account before you can join this organization."
}
}
},
"emergencyInviteAcceptedDesc": {
"message": "Vous pourrez accéder aux options d'urgence pour cet utilisateur après la confirmation de votre identité. Nous vous enverrons un e-mail lorsque cela se produira."
},
"requestAccess": {
"message": "Demander l’accès"
},
"requestAccessConfirmation": {
"message": "Êtes-vous sûr de vouloir demander un accès d'urgence ? L'accès vous sera accordé après $WAITTIME$ jour(s) ou dès que l'utilisateur approuve manuellement la demande.",
"placeholders": {
"waittime": {
"content": "$1",
"example": "1"
}
}
},
"requestSent": {
"message": "Accès d'urgence demandé pour $USER$. Nous vous informerons par e-mail quand il sera possible de continuer.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"approve": {
"message": "Accepter"
},
"reject": {
"message": "Refuser"
},
"approveAccessConfirmation": {
"message": "Êtes-vous sûr de vouloir approuver l'accès d'urgence ? Cela accordera à $USER$ les permissions suivantes sur votre compte: $ACTION$.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
},
"action": {
"content": "$2",
"example": "View"
}
}
},
"emergencyApproved": {
"message": "Accès d'urgence approuvé."
},
"emergencyRejected": {
"message": "Accès d'urgence refusé."
},
"passwordResetFor": {
"message": "Réinitialisation du mot de passe pour $USER$. Vous pouvez maintenant vous connecter en utilisant le nouveau mot de passe.",
"placeholders": {
"user": {
"content": "$1",
"example": "John Smith"
}
}
},
"personalOwnership": {
"message": "Propriété individuelle"
},
"personalOwnershipPolicyDesc": {
"message": "Exiger que les utilisateurs enregistrent des éléments du coffre dans une organisation en retirant l'option de propriété individuelle."
},
"personalOwnershipExemption": {
"message": "Les propriétaires et les administrateurs de l'organisation sont exonérés de l'application de cette politique."
},
"personalOwnershipSubmitError": {
"message": "En raison d'une politique d'entreprise, il vous est interdit d'enregistrer des éléments dans votre coffre personnel. Sélectionnez une organisation dans l'option Propriété et choisissez parmi les collections disponibles."
},
"disableSend": {
"message": "Désactiver le Send"
},
"disableSendPolicyDesc": {
"message": "Ne pas autoriser les utilisateurs à créer ou modifier un Send Bitwarden. La suppression d'un envoi existant est toujours autorisée.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"disableSendExemption": {
"message": "Les utilisateurs de l'organisation qui peuvent gérer les politiques de l'organisation sont exonérés de l'application de cette politique."
},
"sendDisabled": {
"message": "Send désactivé",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendDisabledWarning": {
"message": "En raison d'une politique d'entreprise, vous ne pouvez que supprimer un Send existant.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptions": {
"message": "Options Send",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyDesc": {
"message": "Définir les options pour la création et la modification des Sends.",
"description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsExemption": {
"message": "Les utilisateurs de l'organisation qui peuvent gérer les politiques de l'organisation sont exonérés de l'application de cette politique."
},
"disableHideEmail": {
"message": "Interdire aux utilisateurs de masquer leur adresse e-mail aux destinataires lors de la création ou de la modification d'un Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendOptionsPolicyInEffect": {
"message": "Les politiques d'organisation suivantes sont actuellement en vigueur :"
},
"sendDisableHideEmailInEffect": {
"message": "Les utilisateurs ne sont pas autorisés à masquer leur adresse e-mail aux destinataires lors de la création ou de la modification d'un Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"modifiedPolicyId": {
"message": "Politique $ID$ modifiée.",
"placeholders": {
"id": {
"content": "$1",
"example": "Master Password"
}
}
},
"planPrice": {
"message": "Prix du forfait"
},
"estimatedTax": {
"message": "Taxe estimée"
},
"custom": {
"message": "Personnalisé"
},
"customDesc": {
"message": "Permet un contrôle plus précis des permissions utilisateur pour les configurations avancées."
},
"permissions": {
"message": "Permissions"
},
"accessEventLogs": {
"message": "Accéder aux journaux d'événements"
},
"accessImportExport": {
"message": "Accéder aux options d'import et d'export"
},
"accessReports": {
"message": "Accéder aux rapports"
},
"missingPermissions": {
"message": "Vous n’avez pas les permissions requises pour accomplir cette action."
},
"manageAllCollections": {
"message": "Gérer toutes les collections"
},
"createNewCollections": {
"message": "Créer de nouvelles collections"
},
"editAnyCollection": {
"message": "Modifier n'importe quelle collection"
},
"deleteAnyCollection": {
"message": "Supprimer n'importe quelle collection"
},
"manageAssignedCollections": {
"message": "Gérer les collections assignées"
},
"editAssignedCollections": {
"message": "Modifier les collection assignées"
},
"deleteAssignedCollections": {
"message": "Supprimer les collections assignées"
},
"manageGroups": {
"message": "Gérer les groupes"
},
"managePolicies": {
"message": "Gérer les politiques"
},
"manageSso": {
"message": "Gérer le SSO"
},
"manageUsers": {
"message": "Gérer les utilisateurs"
},
"manageResetPassword": {
"message": "Gérer la réinitialisation du mot de passe"
},
"disableRequiredError": {
"message": "Afin de désactiver cette politique, vous devez préalablement manuellement désactiver la politique \"$POLICYNAME$\".",
"placeholders": {
"policyName": {
"content": "$1",
"example": "Single Sign-On Authentication"
}
}
},
"personalOwnershipPolicyInEffect": {
"message": "Une politique d'organisation affecte vos options de propriété."
},
"personalOwnershipPolicyInEffectImports": {
"message": "Une politique d'organisation a désactivé l'import d'éléments dans votre coffre personnel."
},
"personalOwnershipCheckboxDesc": {
"message": "Désactiver la propriété individuelle des utilisateurs de l'organisation"
},
"textHiddenByDefault": {
"message": "Lors de l'accès à ce Send, masquer le texte par défaut",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendNameDesc": {
"message": "Un nom convivial pour décrire ce Send.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendTextDesc": {
"message": "Le texte que vous voulez envoyer."
},
"sendFileDesc": {
"message": "Le fichier que vous voulez envoyer."
},
"copySendLinkOnSave": {
"message": "Copier le lien de ce Send dans mon presse-papiers lors de l'enregistrement."
},
"sendLinkLabel": {
"message": "Lien du Send",
"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": "Les Send Bitwarden permettent d'envoyer des informations sensibles et temporaires à d'autres, facilement et en toute sécurité.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"sendAccessTaglineLearnMore": {
"message": "Apprenez-en plus sur",
"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": "Partagez du texte ou des fichiers directement avec n'importe qui."
},
"sendVaultCardLearnMore": {
"message": "Apprenez-en plus",
"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": "découvrez",
"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": "comment cela fonctionne",
"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": "ou",
"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": "essayez-le maintenant",
"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": "ou",
"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": "inscrivez-vous",
"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": "pour l'essayer dès aujourd'hui.",
"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": "L'utilisateur Bitwarden $USER_IDENTIFIER$ a partagé ce qui suit avec vous",
"placeholders": {
"user_identifier": {
"content": "$1",
"example": "An email address"
}
}
},
"viewSendHiddenEmailWarning": {
"message": "L'utilisateur Bitwarden qui a créé ce Send a choisi de masquer son adresse e-mail. Vous devez vous assurer que vous faites confiance à la source de ce lien avant d'utiliser ou de télécharger son contenu.",
"description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated."
},
"expirationDateIsInvalid": {
"message": "La date d'expiration indiquée n'est pas valide."
},
"deletionDateIsInvalid": {
"message": "La date de suppression indiquée n'est pas valide."
},
"expirationDateAndTimeRequired": {
"message": "Une date et une heure d'expiration sont requises."
},
"deletionDateAndTimeRequired": {
"message": "Une date et une heure de suppression sont requises."
},
"dateParsingError": {
"message": "Une erreur s'est produite lors de l'enregistrement de vos dates de suppression et d'expiration."
},
"webAuthnFallbackMsg": {
"message": "Pour vérifier votre 2FA, veuillez cliquer sur le bouton ci-dessous."
},
"webAuthnAuthenticate": {
"message": "Authentifier WebAuthn"
},
"webAuthnNotSupported": {
"message": "WebAuthn n'est pas pris en charge dans ce navigateur."
},
"webAuthnSuccess": {
"message": "WebAuthn vérifié avec succès ! Vous pouvez fermer cet onglet."
},
"hintEqualsPassword": {
"message": "Votre indice de mot de passe ne peut pas être identique à votre mot de passe."
},
"enrollPasswordReset": {
"message": "S'inscrire à la réinitialisation du mot de passe"
},
"enrolledPasswordReset": {
"message": "Inscrit à la réinitialisation du mot de passe"
},
"withdrawPasswordReset": {
"message": "Se retirer de la réinitialisation du mot de passe"
},
"enrollPasswordResetSuccess": {
"message": "Inscription réussie !"
},
"withdrawPasswordResetSuccess": {
"message": "Retrait réussi !"
},
"eventEnrollPasswordReset": {
"message": "L'utilisateur $ID$ s'est inscrit à l'aide de réinitialisation du mot de passe.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventWithdrawPasswordReset": {
"message": "L'utilisateur $ID$ s'est retiré de l'aide à la réinitialisation du mot de passe.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventAdminPasswordReset": {
"message": "Réinitialisation du mot de passe maître pour l'utilisateur $ID$.",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"eventResetSsoLink": {
"message": "Réinitialiser le lien SSO pour l'utilisateur $ID$",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"firstSsoLogin": {
"message": "$ID$ s'est connecté avec le SSO pour la première fois",
"placeholders": {
"id": {
"content": "$1",
"example": "John Smith"
}
}
},
"resetPassword": {
"message": "Réinitialiser le mot de passe"
},
"resetPasswordLoggedOutWarning": {
"message": "En continuant, $NAME$ sera déconnecté de sa session actuelle, ce qui lui demandera de se reconnecter. Les sessions actives sur d'autres appareils peuvent rester actives jusqu'à une heure.",
"placeholders": {
"name": {
"content": "$1",
"example": "John Smith"
}
}
},
"thisUser": {
"message": "cet utilisateur"
},
"resetPasswordMasterPasswordPolicyInEffect": {
"message": "Une ou plusieurs politiques de l'organisation exigent que le mot de passe maître réponde aux exigences suivantes :"
},
"resetPasswordSuccess": {
"message": "Mot de passe réinitialisé avec succès !"
},
"resetPasswordEnrollmentWarning": {
"message": "L'inscription permettra aux administrateurs de l'organisation de changer votre mot de passe maître. Êtes-vous sûr de vouloir vous inscrire ?"
},
"resetPasswordPolicy": {
"message": "Réinitialisation du mot de passe maître"
},
"resetPasswordPolicyDescription": {
"message": "Permettre aux administrateurs de l'organisation de réinitialiser le mot de passe maître des utilisateurs de l'organisation."
},
"resetPasswordPolicyWarning": {
"message": "Les utilisateurs de l'organisation devront s'inscrire personnellement ou être inscrits automatiquement avant que les administrateurs puissent réinitialiser leur mot de passe maître."
},
"resetPasswordPolicyAutoEnroll": {
"message": "Inscription automatique"
},
"resetPasswordPolicyAutoEnrollDescription": {
"message": "Tous les utilisateurs seront automatiquement inscrits à la réinitialisation du mot de passe une fois leur invitation acceptée et n'auront pas la possibilité de refuser."
},
"resetPasswordPolicyAutoEnrollWarning": {
"message": "Les utilisateurs déjà dans l'organisation ne seront pas inscrits rétroactivement à la réinitialisation du mot de passe. Ils devront s'inscrire personnellement avant que les administrateurs puissent réinitialiser leur mot de passe maître."
},
"resetPasswordPolicyAutoEnrollCheckbox": {
"message": "Exiger que les nouveaux utilisateurs soient inscrits automatiquement"
},
"resetPasswordAutoEnrollInviteWarning": {
"message": "Cette organisation a une politique d'entreprise qui vous inscrira automatiquement à la réinitialisation du mot de passe. L'inscription permettra aux administrateurs de l'organisation de changer votre mot de passe maître."
},
"resetPasswordOrgKeysError": {
"message": "Erreur lors du traitement de votre demande : \"Organization Keys response is null\""
},
"resetPasswordDetailsError": {
"message": "Erreur lors du traitement de votre demande : \"Reset Password Details response is null\""
},
"trashCleanupWarning": {
"message": "Les éléments présents dans la corbeille depuis plus de 30 jours seront automatiquement supprimés."
},
"trashCleanupWarningSelfHosted": {
"message": "Les éléments présents dans la corbeille depuis un moment seront automatiquement supprimés."
},
"passwordPrompt": {
"message": "Ressaisie du mot de passe maître"
},
"passwordConfirmation": {
"message": "Confirmation du mot de passe maître"
},
"passwordConfirmationDesc": {
"message": "Cette action est protégée. Pour continuer, veuillez ressaisir votre mot de passe maître pour vérifier votre identité."
},
"reinviteSelected": {
"message": "Renvoyer les invitations"
},
"noSelectedUsersApplicable": {
"message": "Cette action n'est applicable à aucun des utilisateurs sélectionnés."
},
"removeUsersWarning": {
"message": "Êtes-vous sûr de vouloir supprimer les utilisateurs suivants ? Le processus peut prendre quelques secondes et ne peut être interrompu ou annulé."
},
"theme": {
"message": "Thème"
},
"themeDesc": {
"message": "Choisissez un thème pour votre coffre web."
},
"themeSystem": {
"message": "Utiliser le thème du système"
},
"themeDark": {
"message": "Sombre"
},
"themeLight": {
"message": "Clair"
},
"confirmSelected": {
"message": "Confirmer la sélection"
},
"bulkConfirmStatus": {
"message": "Statut de l'action de masse"
},
"bulkConfirmMessage": {
"message": "Confirmé avec succès."
},
"bulkReinviteMessage": {
"message": "Réinvité avec succès."
},
"bulkRemovedMessage": {
"message": "Supprimé avec succès"
},
"bulkFilteredMessage": {
"message": "Exclu, non applicable pour cette action."
},
"fingerprint": {
"message": "Empreinte"
},
"removeUsers": {
"message": "Supprimer les utilisateurs"
},
"error": {
"message": "Erreur"
},
"resetPasswordManageUsers": {
"message": "La permission \"Gérer la réinitialisation du mot de passe\" requiert l'activation de la permission \"Gérer les utilisateurs\""
},
"setupProvider": {
"message": "Configuration du fournisseur"
},
"setupProviderLoginDesc": {
"message": "Vous avez été invité à configurer un nouveau fournisseur. Pour continuer, vous devez vous connecter ou créer un nouveau compte Bitwarden."
},
"setupProviderDesc": {
"message": "Veuillez entrer les détails ci-dessous pour finaliser la configuration du fournisseur. Contactez le support client si vous avez des questions."
},
"providerName": {
"message": "Nom du fournisseur"
},
"providerSetup": {
"message": "Le fournisseur a été configuré."
},
"clients": {
"message": "Clients"
},
"providerAdmin": {
"message": "Administrateur du fournisseur"
},
"providerAdminDesc": {
"message": "L'utilisateur à l'accès le plus élevé. Il peut gérer tous les aspects de votre fournisseur ainsi que gérer les organisations clientes et y accéder."
},
"serviceUser": {
"message": "Utilisateur de service"
},
"serviceUserDesc": {
"message": "Les utilisateurs de service peuvent gérer toutes les organisations clientes et y accéder."
},
"providerInviteUserDesc": {
"message": "Invitez de nouveaux utilisateurs à votre fournisseur en entrant l'adresse e-mail de leur compte Bitwarden ci-dessous. S'ils n’ont pas déjà un compte Bitwarden, il leur sera demandé d'en créer un nouveau."
},
"joinProvider": {
"message": "Rejoindre le fournisseur"
},
"joinProviderDesc": {
"message": "Vous avez été invité à rejoindre le fournisseur ci-dessus. Pour accepter l'invitation, vous devez vous connecter ou créer un nouveau compte Bitwarden."
},
"providerInviteAcceptFailed": {
"message": "Impossible d'accepter l'invitation. Demandez à un administrateur du fournisseur d'envoyer une nouvelle invitation."
},
"providerInviteAcceptedDesc": {
"message": "Vous pourrez accéder à ce fournisseur dès qu'un administrateur aura confirmé votre inscription. Nous vous enverrons un e-mail lorsque ce sera fait."
},
"providerUsersNeedConfirmed": {
"message": "Il y a des utilisateurs qui ont accepté leur invitation, mais qui doivent encore être confirmés. Les utilisateurs n'auront pas accès au fournisseur tant qu'ils n'auront pas été confirmés."
},
"provider": {
"message": "Fournisseur"
},
"newClientOrganization": {
"message": "Nouvelle organisation cliente"
},
"newClientOrganizationDesc": {
"message": "Créez une nouvelle organisation cliente qui sera associée avec vous en tant que fournisseur. Vous pourrez accéder à cette organisation et la gérer."
},
"addExistingOrganization": {
"message": "Ajouter une organisation existante"
},
"myProvider": {
"message": "Mon fournisseur"
},
"addOrganizationConfirmation": {
"message": "Êtes-vous sûr de vouloir ajouter $ORGANIZATION$ comme cliente de $PROVIDER$?",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
},
"provider": {
"content": "$2",
"example": "My Provider Name"
}
}
},
"organizationJoinedProvider": {
"message": "L'organisation a bien été ajoutée au fournisseur"
},
"accessingUsingProvider": {
"message": "Accès à l'organisation en utilisant le fournisseur $PROVIDER$",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"providerIsDisabled": {
"message": "Le fournisseur est désactivé."
},
"providerUpdated": {
"message": "Fournisseur mis à jour"
},
"yourProviderIs": {
"message": "Votre fournisseur est $PROVIDER$. Ils ont des privilèges d'administration et de facturation pour votre organisation.",
"placeholders": {
"provider": {
"content": "$1",
"example": "My Provider Name"
}
}
},
"detachedOrganization": {
"message": "L'organisation $ORGANIZATION$ a été détachée de votre fournisseur.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"detachOrganizationConfirmation": {
"message": "Êtes-vous sûr de vouloir détacher cette organisation ? L'organisation continuera d'exister mais ne sera plus gérée par le fournisseur."
},
"add": {
"message": "Ajouter"
},
"updatedMasterPassword": {
"message": "Mot de passe maître mis à jour"
},
"updateMasterPassword": {
"message": "Mettre à jour le mot de passe maître"
},
"updateMasterPasswordWarning": {
"message": "Votre mot de passe maître a récemment été modifié par un administrateur de votre organisation. Pour accéder au coffre, vous devez mettre à jour votre mot de passe maître dès maintenant. Cette action va vous déconnecter et vous obligera à vous reconnecter. Les sessions actives sur d'autres appareils peuvent rester actives jusqu'à une heure."
},
"masterPasswordInvalidWarning": {
"message": "Votre mot de passe maître ne répond pas aux exigences des politiques de cette organisation. Afin de rejoindre l'organisation, vous devez mettre à jour votre mot de passe maître maintenant. En continuant, vous serez déconnecté de votre session actuelle et vous devrez vous reconnecter. Les sessions actives sur d'autres appareils peuvent rester actives pendant encore une heure."
},
"maximumVaultTimeout": {
"message": "Délai d'expiration du coffre"
},
"maximumVaultTimeoutDesc": {
"message": "Configurer un délai maximum d'expiration du coffre pour tous les utilisateurs."
},
"maximumVaultTimeoutLabel": {
"message": "Délai maximum d'expiration du coffre"
},
"invalidMaximumVaultTimeout": {
"message": "Délai maximum d'expiration du coffre invalide."
},
"hours": {
"message": "Heures"
},
"minutes": {
"message": "Minutes"
},
"vaultTimeoutPolicyInEffect": {
"message": "Les politiques de votre organisation affectent le délai d'expiration de votre coffre. Le délai d'expiration maximal autorisé est de $HOURS$ heure(s) et $MINUTES$ minute(s)",
"placeholders": {
"hours": {
"content": "$1",
"example": "5"
},
"minutes": {
"content": "$2",
"example": "5"
}
}
},
"customVaultTimeout": {
"message": "Délai d'expiration du coffre personnalisé"
},
"vaultTimeoutToLarge": {
"message": "Le délai d'expiration de votre coffre-fort dépasse les restrictions définies par votre organisation."
},
"disablePersonalVaultExport": {
"message": "Désactiver l'export du coffre personnel"
},
"disablePersonalVaultExportDesc": {
"message": "Empêche les utilisateurs d'exporter les données de leur coffre privé."
},
"vaultExportDisabled": {
"message": "Export du coffre désactivé"
},
"personalVaultExportPolicyInEffect": {
"message": "Une ou plusieurs politiques d'organisation vous empêchent d'exporter votre coffre personnel."
},
"selectType": {
"message": "Sélectionnez le type de SSO"
},
"type": {
"message": "Type"
},
"openIdConnectConfig": {
"message": "Configuration OpenID Connect"
},
"samlSpConfig": {
"message": "Configuration SAML Service Provider"
},
"samlIdpConfig": {
"message": "Configuration SAML Identity Provider"
},
"callbackPath": {
"message": "URL de callback"
},
"signedOutCallbackPath": {
"message": "URL de callback pour la déconnexion"
},
"authority": {
"message": "Autorité"
},
"clientId": {
"message": "Client ID"
},
"clientSecret": {
"message": "Client Secret"
},
"metadataAddress": {
"message": "Adresse des métadonnées"
},
"oidcRedirectBehavior": {
"message": "Comportement de la redirection OIDC"
},
"getClaimsFromUserInfoEndpoint": {
"message": "Récupérer les claims depuis l'endpoint d'informations utilisateur (User Info Endpoint)"
},
"additionalScopes": {
"message": "Scopes personnalisés"
},
"additionalUserIdClaimTypes": {
"message": "Types de claim personnalisés pour l'identifiant de l'utilisateur"
},
"additionalEmailClaimTypes": {
"message": "Types de claim pour l'e-mail"
},
"additionalNameClaimTypes": {
"message": "Types de claim personnalisés pour le nom"
},
"acrValues": {
"message": "Valeurs Authentication Context Class Reference demandées"
},
"expectedReturnAcrValue": {
"message": "Valeur attendue pour le claim \"acr\" dans la réponse"
},
"spEntityId": {
"message": "ID de l'entité du Service Provider"
},
"spMetadataUrl": {
"message": "SAML 2.0 Metadata URL"
},
"spAcsUrl": {
"message": "Assertion Consumer Service (ACS) URL"
},
"spNameIdFormat": {
"message": "Name ID Format"
},
"spOutboundSigningAlgorithm": {
"message": "Algorithme de signature sortant"
},
"spSigningBehavior": {
"message": "Comportement de la signature"
},
"spMinIncomingSigningAlgorithm": {
"message": "Algorithme de signature entrant minimal"
},
"spWantAssertionsSigned": {
"message": "Exiger des assertions signées"
},
"spValidateCertificates": {
"message": "Vérifier les certificats"
},
"idpEntityId": {
"message": "ID de l'entité"
},
"idpBindingType": {
"message": "Type de liaison"
},
"idpSingleSignOnServiceUrl": {
"message": "URL du service de connexion unique (SSO)"
},
"idpSingleLogoutServiceUrl": {
"message": "URL du service de déconnexion unique (SLO)"
},
"idpX509PublicCert": {
"message": "Certificat public X.509"
},
"idpOutboundSigningAlgorithm": {
"message": "Algorithme de signature sortant"
},
"idpAllowUnsolicitedAuthnResponse": {
"message": "Autoriser les réponses d'authentification non sollicitées"
},
"idpAllowOutboundLogoutRequests": {
"message": "Autoriser les demandes de déconnexion sortantes"
},
"idpSignAuthenticationRequests": {
"message": "Signer les demandes d'authentification"
},
"ssoSettingsSaved": {
"message": "La configuration SSO a été enregistrée."
},
"sponsoredFamilies": {
"message": "Bitwarden Familles gratuit"
},
"sponsoredFamiliesEligible": {
"message": "Vous et votre famille êtes éligibles pour profiter gratuitement de Bitwarden Familles. Utilisez votre adresse e-mail personnelle pour obtenir votre accès et garder vos données en sécurité même lorsque vous n'êtes pas au travail."
},
"sponsoredFamiliesEligibleCard": {
"message": "Obtenez votre abonnement Bitwarden Familles gratuit aujourd'hui pour garder vos données en sécurité même lorsque vous n'êtes pas au travail."
},
"sponsoredFamiliesInclude": {
"message": "L'abonnement Bitwarden Familles inclut"
},
"sponsoredFamiliesPremiumAccess": {
"message": "Accès premium pour un maximum de 6 utilisateurs"
},
"sponsoredFamiliesSharedCollections": {
"message": "Collections partagées pour les secrets de la famille"
},
"badToken": {
"message": "Le lien n'est plus valide. Merci de demander à votre parrain de renvoyer l'offre."
},
"reclaimedFreePlan": {
"message": "Abonnement gratuit récupéré"
},
"redeem": {
"message": "Obtenir"
},
"sponsoredFamiliesSelectOffer": {
"message": "Sélectionnez l'organisation que vous souhaiteriez voir parrainée"
},
"familiesSponsoringOrgSelect": {
"message": "Quelle offre Familles gratuite aimeriez-vous obtenir ?"
},
"sponsoredFamiliesEmail": {
"message": "Entrez votre adresse e-mail personnelle pour obtenir Bitwarden Familles"
},
"sponsoredFamiliesLeaveCopy": {
"message": "Si vous quittez ou que vous êtes retiré de l'organisation marraine, votre forfait Familles expirera à la fin de la période de facturation."
},
"acceptBitwardenFamiliesHelp": {
"message": "Acceptez l'offre pour une organisation existante ou créer une nouvelle organisation Familles."
},
"setupSponsoredFamiliesLoginDesc": {
"message": "Vous avez reçu un abonnement gratuit pour une organisation Bitwarden Familles. Pour continuer, vous devez vous connecter au compte qui a reçu l'offre."
},
"sponsoredFamiliesAcceptFailed": {
"message": "Impossible d'accepter l'offre. Veuillez renvoyer l'e-mail de l'offre depuis votre compte professionnel et réessayer."
},
"sponsoredFamiliesAcceptFailedShort": {
"message": "Impossible d'accepter l'offre. $DESCRIPTION$",
"placeholders": {
"description": {
"content": "$1",
"example": "You must have at least one existing Families Organization."
}
}
},
"sponsoredFamiliesOffer": {
"message": "Accepter l'offre Bitwarden Familles gratuite"
},
"sponsoredFamiliesOfferRedeemed": {
"message": "L'offre gratuite de Bitwarden Familles a été récupérée avec succès"
},
"redeemed": {
"message": "Obtenue"
},
"redeemedAccount": {
"message": "Compte récupéré"
},
"revokeAccount": {
"message": "Révoquer le compte $NAME$",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"resendEmailLabel": {
"message": "Renvoyer l'e-mail d'invitation au parrainage \"$NAME$\"",
"placeholders": {
"name": {
"content": "$1",
"example": "My Sponsorship Name"
}
}
},
"freeFamiliesPlan": {
"message": "Abonnement gratuit à Bitwarden Familles"
},
"redeemNow": {
"message": "Obtenir maintenant"
},
"recipient": {
"message": "Destinataire"
},
"removeSponsorship": {
"message": "Supprimer le parrainage"
},
"removeSponsorshipConfirmation": {
"message": "Après avoir supprimé un parrainage, vous serez responsable de cet abonnement et des factures associées. Êtes-vous sûr de vouloir continuer ?"
},
"sponsorshipCreated": {
"message": "Parrainage créé"
},
"revoke": {
"message": "Révoquer"
},
"emailSent": {
"message": "E-mail envoyé"
},
"revokeSponsorshipConfirmation": {
"message": "Après avoir supprimé ce compte, le propriétaire de l'organisation Familles sera responsable de cet abonnement et des factures associées. Êtes-vous sûr de vouloir continuer ?"
},
"removeSponsorshipSuccess": {
"message": "Parrainage supprimé"
},
"ssoKeyConnectorUnavailable": {
"message": "Impossible de contacter Key Connector, réessayez plus tard."
},
"keyConnectorUrl": {
"message": "URL de Key Connector"
},
"sendVerificationCode": {
"message": "Envoyer un code de vérification à votre adresse email"
},
"sendCode": {
"message": "Envoyer le code"
},
"codeSent": {
"message": "Code envoyé"
},
"verificationCode": {
"message": "Code de vérification"
},
"confirmIdentity": {
"message": "Confirmez votre identité pour continuer."
},
"verificationCodeRequired": {
"message": "Le code de vérification est requis."
},
"invalidVerificationCode": {
"message": "Code de vérification invalide"
},
"convertOrganizationEncryptionDesc": {
"message": "$ORGANIZATION$ utilise SSO avec un serveur de clés auto-hébergé. Un mot de passe maître n'est plus nécessaire aux membres de cette organisation pour se connecter.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"leaveOrganization": {
"message": "Quitter l'organisation"
},
"removeMasterPassword": {
"message": "Supprimer le mot de passe maître"
},
"removedMasterPassword": {
"message": "Mot de passe maître supprimé."
},
"allowSso": {
"message": "Autoriser l'authentification SSO"
},
"allowSsoDesc": {
"message": "Une fois configuré, votre configuration sera enregistrée et les membres seront en mesure de s'authentifier en utilisant leurs identifiants de l'Identity Provider."
},
"ssoPolicyHelpStart": {
"message": "Activer la",
"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": "politique de connexion SSO",
"description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'"
},
"ssoPolicyHelpEnd": {
"message": "pour obliger tous les membres à se connecter avec 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": "Les politiques \"Authentification SSO\" et \"Organisation Unique\" sont requises pour mettre en place le déchiffrement avec Key Connector."
},
"memberDecryptionOption": {
"message": "Options de déchiffrement des membres"
},
"memberDecryptionPassDesc": {
"message": "Une fois authentifiés, les membres déchiffreront les données du coffre en utilisant leur mot de passe maître."
},
"keyConnector": {
"message": "Key Connector"
},
"memberDecryptionKeyConnectorDesc": {
"message": "Connectez l'authentification SSO à votre serveur de clés de déchiffrement auto-hébergé. En utilisant cette option, les membres n'auront pas besoin d'utiliser leur mot de passe maître pour déchiffrer les données du coffre. Contactez le support Bitwarden pour une assistance à la configuration."
},
"keyConnectorPolicyRestriction": {
"message": "\"Connexion avec SSO et déchiffrement avec Key Connector\" est activé. Cette politique ne s'appliquera qu'aux propriétaires et aux administrateurs."
},
"enabledSso": {
"message": "SSO activé"
},
"disabledSso": {
"message": "SSO désactivé"
},
"enabledKeyConnector": {
"message": "Key Connector activé"
},
"disabledKeyConnector": {
"message": "Key Connector désactivé"
},
"keyConnectorWarning": {
"message": "Dès que les membres de votre organisation commencent à utiliser Key Connector, votre organisation ne peut pas revenir au déchiffrement avec mot de passe maître. Ne continuez que si vous êtes à l'aise avec le déploiement et la maintenance d'un serveur de clés."
},
"migratedKeyConnector": {
"message": "Migré vers Key Connector"
},
"paymentSponsored": {
"message": "Veuillez fournir un moyen de paiement à associer à l'organisation. Ne vous inquiétez pas, nous ne vous facturerons rien à moins que vous ne sélectionniez des fonctionnalités supplémentaires ou que votre parrainage expire. "
},
"orgCreatedSponsorshipInvalid": {
"message": "L'offre de parrainage a expiré, vous pouvez supprimer l'organisation que vous avez créée pour éviter d'être facturé à la fin de votre essai de 7 jours. Dans le cas contraire, vous pouvez fermer ce message pour conserver l'organisation et assumer la responsabilité de la facturation."
},
"newFamiliesOrganization": {
"message": "Nouvelle organisation Familles"
},
"acceptOffer": {
"message": "Accepter l'offre"
},
"sponsoringOrg": {
"message": "Organisation marraine"
},
"keyConnectorTest": {
"message": "Test"
},
"keyConnectorTestSuccess": {
"message": "Succès! Key Connector atteint."
},
"keyConnectorTestFail": {
"message": "Impossible d'atteindre Key Connector. Vérifiez l'URL."
},
"sponsorshipTokenHasExpired": {
"message": "L'offre de parrainage a expiré."
},
"freeWithSponsorship": {
"message": "GRATUIT avec le parrainage"
},
"formErrorSummaryPlural": {
"message": "$COUNT$ champs ci-dessus nécessitent votre attention.",
"placeholders": {
"count": {
"content": "$1",
"example": "5"
}
}
},
"formErrorSummarySingle": {
"message": "1 champ ci-dessus nécessite votre attention."
},
"fieldRequiredError": {
"message": "$FIELDNAME$ est requis.",
"placeholders": {
"fieldname": {
"content": "$1",
"example": "Full name"
}
}
},
"required": {
"message": "requis"
},
"idpSingleSignOnServiceUrlRequired": {
"message": "Requis si l'ID d'Entité n'est pas une URL."
},
"openIdOptionalCustomizations": {
"message": "Personnalisations Optionnelles"
},
"openIdAuthorityRequired": {
"message": "Requis si l'Autorité n'est pas valide."
},
"separateMultipleWithComma": {
"message": "Séparer avec des virgules."
},
"sessionTimeout": {
"message": "Votre session a expiré. Veuillez revenir en arrière et essayer de vous connecter à nouveau."
},
"exportingPersonalVaultTitle": {
"message": "Export du coffre personnel"
},
"exportingOrganizationVaultTitle": {
"message": "Export du coffre de l'organisation"
},
"exportingPersonalVaultDescription": {
"message": "Seuls les éléments du coffre personnel associé à l'adresse e-mail $EMAIL$ seront exportés. Les éléments du coffre de l'organisation ne seront pas inclus.",
"placeholders": {
"email": {
"content": "$1",
"example": "name@example.com"
}
}
},
"exportingOrganizationVaultDescription": {
"message": "Seul le coffre de l'organisation associé à $ORGANIZATION$ sera exporté. Les éléments du coffre personnel et les éléments d'autres organisations ne seront pas inclus.",
"placeholders": {
"organization": {
"content": "$1",
"example": "My Org Name"
}
}
},
"backToReports": {
"message": "Retour aux Rapports"
},
"generator": {
"message": "Générateur"
},
"whatWouldYouLikeToGenerate": {
"message": "Que souhaitez-vous générer ?"
},
"passwordType": {
"message": "Type de Mot de Passe"
},
"regenerateUsername": {
"message": "Régénérer le Nom d'Utilisateur"
},
"generateUsername": {
"message": "Générer le Nom d'Utilisateur"
},
"usernameType": {
"message": "Type de Nom d'Utilisateur"
},
"plusAddressedEmail": {
"message": "Courriel Adressé Plus",
"description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com"
},
"plusAddressedEmailDesc": {
"message": "Utilisez les capacités de sous-adressage de votre fournisseur de messagerie."
},
"catchallEmail": {
"message": "Collecteur d'Email (catch-all)"
},
"catchallEmailDesc": {
"message": "Utilisez la boîte de réception du collecteur (catch-all) configurée de votre domaine."
},
"random": {
"message": "Aléatoire"
},
"randomWord": {
"message": "Mot Aléatoire"
},
"service": {
"message": "Service"
}
}
| bitwarden/web/src/locales/fr/messages.json/0 | {
"file_path": "bitwarden/web/src/locales/fr/messages.json",
"repo_id": "bitwarden",
"token_count": 62383
} | 154 |
{
"name": "Bitwarden Vault",
"icons": [
{
"src": "images/icons/android-chrome-192x192.png",
"sizes": "192x192",
"type": "image/png"
},
{
"src": "images/icons/android-chrome-512x512.png",
"sizes": "512x512",
"type": "image/png"
}
],
"theme_color": "#175DDC",
"background_color": "#175DDC"
}
| bitwarden/web/src/manifest.json/0 | {
"file_path": "bitwarden/web/src/manifest.json",
"repo_id": "bitwarden",
"token_count": 174
} | 155 |
@tailwind base;
@tailwind components;
@tailwind utilities;
@import "../../jslib/components/src/tw-theme.css";
| bitwarden/web/src/scss/tailwind.css/0 | {
"file_path": "bitwarden/web/src/scss/tailwind.css",
"repo_id": "bitwarden",
"token_count": 40
} | 156 |
const fs = require("fs");
const path = require("path");
const { AngularWebpackPlugin } = require("@ngtools/webpack");
const { CleanWebpackPlugin } = require("clean-webpack-plugin");
const CopyWebpackPlugin = require("copy-webpack-plugin");
const HtmlWebpackInjector = require("html-webpack-injector");
const HtmlWebpackPlugin = require("html-webpack-plugin");
const MiniCssExtractPlugin = require("mini-css-extract-plugin");
const TerserPlugin = require("terser-webpack-plugin");
const webpack = require("webpack");
const config = require("./config.js");
const pjson = require("./package.json");
const ENV = process.env.ENV == null ? "development" : process.env.ENV;
const NODE_ENV = process.env.NODE_ENV == null ? "development" : process.env.NODE_ENV;
const envConfig = config.load(ENV);
config.log(envConfig);
const moduleRules = [
{
test: /\.(html)$/,
loader: "html-loader",
},
{
test: /.(ttf|otf|eot|svg|woff(2)?)(\?[a-z0-9]+)?$/,
exclude: /loading(|-white).svg/,
generator: {
filename: "fonts/[name][ext]",
},
type: "asset/resource",
},
{
test: /\.(jpe?g|png|gif|svg|webp|avif)$/i,
exclude: /.*(bwi-font)\.svg/,
generator: {
filename: "images/[name][ext]",
},
type: "asset/resource",
},
{
test: /\.scss$/,
use: [
{
loader: MiniCssExtractPlugin.loader,
},
"css-loader",
"sass-loader",
],
},
{
test: /\.css$/,
use: [
{
loader: MiniCssExtractPlugin.loader,
},
"css-loader",
"postcss-loader",
],
},
{
test: /(?:\.ngfactory\.js|\.ngstyle\.js|\.ts)$/,
loader: "@ngtools/webpack",
},
];
const plugins = [
new CleanWebpackPlugin(),
// ref: https://github.com/angular/angular/issues/20357
new webpack.ContextReplacementPlugin(
/\@angular(\\|\/)core(\\|\/)fesm5/,
path.resolve(__dirname, "./src")
),
new HtmlWebpackPlugin({
template: "./src/index.html",
filename: "index.html",
chunks: ["theme_head", "app/polyfills", "app/vendor", "app/main"],
}),
new HtmlWebpackInjector(),
new HtmlWebpackPlugin({
template: "./src/connectors/duo.html",
filename: "duo-connector.html",
chunks: ["connectors/duo"],
}),
new HtmlWebpackPlugin({
template: "./src/connectors/webauthn.html",
filename: "webauthn-connector.html",
chunks: ["connectors/webauthn"],
}),
new HtmlWebpackPlugin({
template: "./src/connectors/webauthn-mobile.html",
filename: "webauthn-mobile-connector.html",
chunks: ["connectors/webauthn"],
}),
new HtmlWebpackPlugin({
template: "./src/connectors/webauthn-fallback.html",
filename: "webauthn-fallback-connector.html",
chunks: ["connectors/webauthn-fallback"],
}),
new HtmlWebpackPlugin({
template: "./src/connectors/sso.html",
filename: "sso-connector.html",
chunks: ["connectors/sso"],
}),
new HtmlWebpackPlugin({
template: "./src/connectors/captcha.html",
filename: "captcha-connector.html",
chunks: ["connectors/captcha"],
}),
new HtmlWebpackPlugin({
template: "./src/connectors/captcha-mobile.html",
filename: "captcha-mobile-connector.html",
chunks: ["connectors/captcha"],
}),
new CopyWebpackPlugin({
patterns: [
{ from: "./src/.nojekyll" },
{ from: "./src/manifest.json" },
{ from: "./src/favicon.ico" },
{ from: "./src/browserconfig.xml" },
{ from: "./src/app-id.json" },
{ from: "./src/404.html" },
{ from: "./src/404", to: "404" },
{ from: "./src/images", to: "images" },
{ from: "./src/locales", to: "locales" },
{ from: "./node_modules/qrious/dist/qrious.min.js", to: "scripts" },
{ from: "./node_modules/braintree-web-drop-in/dist/browser/dropin.js", to: "scripts" },
{
from: "./src/version.json",
transform(content, path) {
return content.toString().replace("process.env.APPLICATION_VERSION", pjson.version);
},
},
],
}),
new MiniCssExtractPlugin({
filename: "[name].[contenthash].css",
chunkFilename: "[id].[contenthash].css",
}),
new webpack.EnvironmentPlugin({
ENV: ENV,
NODE_ENV: NODE_ENV === "production" ? "production" : "development",
APPLICATION_VERSION: pjson.version,
CACHE_TAG: Math.random().toString(36).substring(7),
URLS: envConfig["urls"] ?? {},
STRIPE_KEY: envConfig["stripeKey"] ?? "",
BRAINTREE_KEY: envConfig["braintreeKey"] ?? "",
PAYPAL_CONFIG: envConfig["paypal"] ?? {},
}),
new webpack.ProvidePlugin({
process: "process/browser",
}),
new AngularWebpackPlugin({
tsConfigPath: "tsconfig.json",
entryModule: "src/app/app.module#AppModule",
sourceMap: true,
}),
];
// ref: https://webpack.js.org/configuration/dev-server/#devserver
let certSuffix = fs.existsSync("dev-server.local.pem") ? ".local" : ".shared";
const devServer =
NODE_ENV !== "development"
? {}
: {
server: {
type: "https",
options: {
key: fs.readFileSync("dev-server" + certSuffix + ".pem"),
cert: fs.readFileSync("dev-server" + certSuffix + ".pem"),
},
},
// host: '192.168.1.9',
proxy: {
"/api": {
target: envConfig.dev?.proxyApi,
pathRewrite: { "^/api": "" },
secure: false,
changeOrigin: true,
},
"/identity": {
target: envConfig.dev?.proxyIdentity,
pathRewrite: { "^/identity": "" },
secure: false,
changeOrigin: true,
},
"/events": {
target: envConfig.dev?.proxyEvents,
pathRewrite: { "^/events": "" },
secure: false,
changeOrigin: true,
},
"/notifications": {
target: envConfig.dev?.proxyNotifications,
pathRewrite: { "^/notifications": "" },
secure: false,
changeOrigin: true,
},
},
headers: (req) => {
if (!req.originalUrl.includes("connector.html")) {
return [
{
key: "Content-Security-Policy",
value: `
default-src 'self';
script-src
'self'
'sha256-ryoU+5+IUZTuUyTElqkrQGBJXr1brEv6r2CA62WUw8w='
https://js.stripe.com
https://js.braintreegateway.com
https://www.paypalobjects.com;
style-src
'self'
https://assets.braintreegateway.com
https://*.paypal.com
'sha256-47DEQpj8HBSa+/TImW+5JCeuQeRkm5NMpJWZG3hSuFU='
'sha256-JVRXyYPueLWdwGwY9m/7u4QlZ1xeQdqUj2t8OVIzZE4=';
'sha256-0xHKHIT3+e2Gknxsm/cpErSprhL+o254L/y5bljg74U='
img-src
'self'
data:
https://icons.bitwarden.net
https://*.paypal.com
https://www.paypalobjects.com
https://q.stripe.com
https://haveibeenpwned.com
https://www.gravatar.com;
child-src
'self'
https://js.stripe.com
https://assets.braintreegateway.com
https://*.paypal.com
https://*.duosecurity.com;
frame-src
'self'
https://js.stripe.com
https://assets.braintreegateway.com
https://*.paypal.com
https://*.duosecurity.com;
connect-src
'self'
wss://notifications.bitwarden.com
https://notifications.bitwarden.com
https://cdn.bitwarden.net
https://api.pwnedpasswords.com
https://2fa.directory/api/v3/totp.json
https://api.stripe.com
https://www.paypal.com
https://api.braintreegateway.com
https://client-analytics.braintreegateway.com
https://*.braintree-api.com
https://*.blob.core.windows.net
https://app.simplelogin.io/api/alias/random/new
https://app.anonaddy.com/api/v1/aliases;
object-src
'self'
blob:;`,
},
];
}
},
hot: false,
port: envConfig.dev?.port ?? 8080,
allowedHosts: envConfig.dev?.allowedHosts ?? "auto",
client: {
overlay: {
errors: true,
warnings: false,
},
},
};
const webpackConfig = {
mode: NODE_ENV,
devtool: "source-map",
devServer: devServer,
entry: {
"app/polyfills": "./src/app/polyfills.ts",
"app/main": "./src/app/main.ts",
"connectors/webauthn": "./src/connectors/webauthn.ts",
"connectors/webauthn-fallback": "./src/connectors/webauthn-fallback.ts",
"connectors/duo": "./src/connectors/duo.ts",
"connectors/sso": "./src/connectors/sso.ts",
"connectors/captcha": "./src/connectors/captcha.ts",
theme_head: "./src/theme.js",
},
optimization: {
splitChunks: {
cacheGroups: {
commons: {
test: /[\\/]node_modules[\\/]/,
name: "app/vendor",
chunks: (chunk) => {
return chunk.name === "app/main";
},
},
},
},
minimizer: [
new TerserPlugin({
terserOptions: {
safari10: true,
// Replicate Angular CLI behaviour
compress: {
global_defs: {
ngDevMode: false,
ngI18nClosureMode: false,
},
},
},
}),
],
},
resolve: {
extensions: [".ts", ".js"],
symlinks: false,
modules: [path.resolve("node_modules")],
alias: {
sweetalert2: require.resolve("sweetalert2/dist/sweetalert2.js"),
"#sweetalert2": require.resolve("sweetalert2/src/sweetalert2.scss"),
},
fallback: {
buffer: false,
util: require.resolve("util/"),
assert: false,
url: false,
},
},
output: {
filename: "[name].[contenthash].js",
path: path.resolve(__dirname, "build"),
},
module: { rules: moduleRules },
plugins: plugins,
};
module.exports = webpackConfig;
| bitwarden/web/webpack.config.js/0 | {
"file_path": "bitwarden/web/webpack.config.js",
"repo_id": "bitwarden",
"token_count": 5375
} | 157 |
package com.aitongyi.web.back.conf;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.security.authentication.encoding.Md5PasswordEncoder;
import org.springframework.security.config.annotation.authentication.builders.AuthenticationManagerBuilder;
import org.springframework.security.config.annotation.method.configuration.EnableGlobalMethodSecurity;
import org.springframework.security.config.annotation.web.builders.HttpSecurity;
import org.springframework.security.config.annotation.web.builders.WebSecurity;
import org.springframework.security.config.annotation.web.configuration.EnableWebSecurity;
import org.springframework.security.config.annotation.web.configuration.WebSecurityConfigurerAdapter;
import org.springframework.security.web.csrf.CsrfFilter;
import org.springframework.security.web.header.HeaderWriter;
import org.springframework.security.web.header.HeaderWriterFilter;
import org.springframework.web.filter.CharacterEncodingFilter;
import javax.servlet.http.HttpServletRequest;
import javax.servlet.http.HttpServletResponse;
import javax.sql.DataSource;
import java.util.ArrayList;
import java.util.List;
@EnableWebSecurity
@EnableGlobalMethodSecurity(prePostEnabled = true)
public class SecurityConfig extends WebSecurityConfigurerAdapter {
private static Md5PasswordEncoder md5Encoder = new Md5PasswordEncoder();
@Autowired
private DataSource dataSource;
@Autowired
public void configureGlobal(AuthenticationManagerBuilder auth) throws Exception {
auth.jdbcAuthentication().dataSource(dataSource).passwordEncoder(md5Encoder);
}
@Override
public void configure(WebSecurity web) throws Exception {
web.ignoring().antMatchers("/resource/**");
}
@Override
protected void configure(HttpSecurity http) throws Exception {
http
// .csrf().ignoringAntMatchers("/statistics/dayDetailExport").and()
// 将login.jsp定为登陆页面,只处理/login这个请求
.formLogin().loginPage("/login.jsp").and().formLogin().loginProcessingUrl("/login")
// 如果登陆成功就跳转到/home这个地址,如果失败就跳转到/?error=1
.and().formLogin().defaultSuccessUrl("/home").and().formLogin().failureUrl("/?error=1");
// 这里配置的是登出的请求
http.logout().logoutUrl("/logout")
// 登陆成功后跳转的地址,以及删除的cookie名称
.and().logout().logoutSuccessUrl("/")
.and().logout().deleteCookies("JSESSIONID");
// 配置记住我的过期时间
http.rememberMe().tokenValiditySeconds(1209600)
.and().rememberMe().rememberMeParameter("remember-me");
CharacterEncodingFilter encodeFilter = new CharacterEncodingFilter();
encodeFilter.setEncoding("utf-8");
encodeFilter.setForceEncoding(true);
http.addFilterBefore(encodeFilter, CsrfFilter.class); // 放在csrf filter前面
http.headers().disable();
HeaderWriter headerWriter = new HeaderWriter() {
public void writeHeaders(HttpServletRequest request, HttpServletResponse response) {
response.setHeader("Cache-Control", "no-cache, no-store, max-age=0, must-revalidate");
response.setHeader("Expires", "0");
response.setHeader("Pragma", "no-cache");
response.setHeader("X-Frame-Options", "SAMEORIGIN");
response.setHeader("X-XSS-Protection", "1; mode=block");
response.setHeader("x-content-type-options", "nosniff");
}
};
List<HeaderWriter> headerWriterFilterList = new ArrayList<>();
headerWriterFilterList.add(headerWriter);
HeaderWriterFilter headerFilter = new HeaderWriterFilter(headerWriterFilterList);
http.addFilter(headerFilter);
}
} | chwshuang/web/back/src/main/java/com/aitongyi/web/back/conf/SecurityConfig.java/0 | {
"file_path": "chwshuang/web/back/src/main/java/com/aitongyi/web/back/conf/SecurityConfig.java",
"repo_id": "chwshuang",
"token_count": 1236
} | 158 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.