text
stringlengths
1
2.83M
id
stringlengths
16
152
metadata
dict
__index_level_0__
int64
0
949
* Joan Sisquella <joan.sisquella@forgeflow.com> * Thiago Mulero <thiago.mulero@forgeflow.com> * David Jimenez <david.jimenez@forgeflow.com> * Jordi Ballester <jordi.ballester@forgefow.com>
OCA/web/web_notify_channel_message/readme/CONTRIBUTORS.rst/0
{ "file_path": "OCA/web/web_notify_channel_message/readme/CONTRIBUTORS.rst", "repo_id": "OCA", "token_count": 77 }
100
Go to pivot view and click on the "Measures" menu, you will see a new option called 'Computed Measure'. You have the follow options to create a 'computed measure': - Measure 1: Used in 'operation formula' as 'm1' - Measure 2: Used in 'operation formula' as 'm2' - Operation: The formula - Sum: m1 + m2 - Sub: m1 - m2 - Mult: m1 * m2 - Div: m1 / m2 (Format: Float) - Perc m1 / m2 (Format: Percentage) - Custom: Special option only visible in debug mode to write a custom formula. - Name: The name of the new measure (emtpy = auto-generated) - Format: How will the value be printed - Integer - Float - Percentage (value * 100) - Formula*: Custom operation formula These formula is evaluated using 'PY.eval' These computed measures can be mixed (You can reuse it to make new computed measures) and saved as favorites. Notice that "measures/computed measures" involved in an active 'computed measure' can't be deactivated until you have deactivate the 'computed measure'.
OCA/web/web_pivot_computed_measure/readme/USAGE.rst/0
{ "file_path": "OCA/web/web_pivot_computed_measure/readme/USAGE.rst", "repo_id": "OCA", "token_count": 306 }
101
=========================== Progressive web application =========================== .. !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! This file is generated by oca-gen-addon-readme !! !! changes will be overwritten. !! !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! source digest: sha256:9df58c9b00d4220be171d83a9ce15cbb8c4e4654967d98f88c3b11d990c1d538 !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! .. |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-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_pwa_oca :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_pwa_oca :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| Make Odoo an installable Progressive Web Application. Progressive Web Apps provide an installable, app-like experience on desktop and mobile that are built and delivered directly via the web. They're web apps that are fast and reliable. And most importantly, they're web apps that work in any browser. If you're building a web app today, you're already on the path towards building a Progressive Web App. + Developers Info. The service worker is contructed using 'Odoo Class' to have the same class inheritance behaviour that in the 'user pages'. Be noticed that 'Odoo Bootstrap' is not supported so, you can't use 'require' here. All service worker content can be found in 'static/src/js/worker'. The management between 'user pages' and service worker is done in 'pwa_manager.js'. The purpose of this module is give a base to make PWA applications. **Table of contents** .. contents:: :local: Installation ============ After having installed this module, browsing your odoo on mobile you will be able to install it as a PWA. It is strongly recommended to use this module with a responsive layout, like the one provided by web_responsive. This module is intended to be used by Odoo back-end users (employees). When a Progressive Web App is installed, it looks and behaves like all of the other installed apps. It launches from the same place that other apps launch. It runs in an app without an address bar or other browser UI. And like all other installed apps, it's a top level app in the task switcher. In Chrome, a Progressive Web App can either be installed through the three-dot context menu. In case you previously installed `web_pwa`, run the following steps with `odoo shell`, after having installed `openupgradelib`: >>> from openupgradelib import openupgrade >>> openupgrade.update_module_names(env.cr, [('web_pwa', 'web_pwa_oca')], merge_modules=False) >>> env.cr.commit() Configuration ============= This module allows you to set the following parameters under settings to customize the appearance of the application * PWA Name (defaults to "Odoo PWA") * PWA Short Name (defaults to "Odoo PWA") * PWA Icon (**SVG**) (defaults to "/web_pwa_oca/static/img/icons/odoo-logo.svg") To configure your PWA: #. Go to **Settings > General Settings > Progressive Web App**. #. Set the parameters (*Note:* Icon **must be a SVG file**) #. **Save** Usage ===== To use your PWA: #. Open the Odoo web app using a supported browser (See https://caniuse.com/?search=A2HS) #. Open the browser options #. Click on 'Add to Home screen' (or 'Install' in other browsers) ** Maybe you need refresh the page to load the service worker after using the option. Known issues / Roadmap ====================== * Integrate `Notification API <https://developer.mozilla.org/en-US/docs/Web/API/ServiceWorkerRegistration/showNotification>`_ * Integrate `Web Share API <https://web.dev/web-share/>`_ * Create ``portal_pwa`` module, intended to be used by front-end users (customers, suppliers...) * Current *John Resig's inheritance* implementation doesn't support ``async`` functions because ``this._super`` can't be called inside a promise. So we need to use the following workaround: - Natural 'async/await' example (This breaks "_super" call): .. code-block:: javascript var MyClass = OdooClass.extend({ myFunc: async function() { const mydata = await ...do await stuff... return mydata; } }); - Same code with the workaround: .. code-block:: javascript var MyClass = OdooClass.extend({ myFunc: function() { return new Promise(async (resolve, reject) => { const mydata = await ...do await stuff... return resolve(mydata); }); } }); * Fix issue when trying to run in localhost with several databases. The browser doesn't send the cookie and web manifest returns 404. * Firefox can't detect 'standalone' mode. See https://bugzilla.mozilla.org/show_bug.cgi?id=1285858 * Firefox disable service worker in private mode. See https://bugzilla.mozilla.org/show_bug.cgi?id=1601916 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_pwa_oca%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 ~~~~~~~ * TAKOBI * Tecnativa Contributors ~~~~~~~~~~~~ * `TAKOBI <https://takobi.online>`_: * Lorenzo Battistini * `Tecnativa <https://tecnativa.com>`_: * Alexandre D. Díaz * João Marques * Sergio Teruel 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-eLBati| image:: https://github.com/eLBati.png?size=40px :target: https://github.com/eLBati :alt: eLBati Current `maintainer <https://odoo-community.org/page/maintainer-role>`__: |maintainer-eLBati| This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_pwa_oca>`_ project on GitHub. You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
OCA/web/web_pwa_oca/README.rst/0
{ "file_path": "OCA/web/web_pwa_oca/README.rst", "repo_id": "OCA", "token_count": 2395 }
102
After having installed this module, browsing your odoo on mobile you will be able to install it as a PWA. It is strongly recommended to use this module with a responsive layout, like the one provided by web_responsive. This module is intended to be used by Odoo back-end users (employees). When a Progressive Web App is installed, it looks and behaves like all of the other installed apps. It launches from the same place that other apps launch. It runs in an app without an address bar or other browser UI. And like all other installed apps, it's a top level app in the task switcher. In Chrome, a Progressive Web App can either be installed through the three-dot context menu. In case you previously installed `web_pwa`, run the following steps with `odoo shell`, after having installed `openupgradelib`: >>> from openupgradelib import openupgrade >>> openupgrade.update_module_names(env.cr, [('web_pwa', 'web_pwa_oca')], merge_modules=False) >>> env.cr.commit()
OCA/web/web_pwa_oca/readme/INSTALL.rst/0
{ "file_path": "OCA/web/web_pwa_oca/readme/INSTALL.rst", "repo_id": "OCA", "token_count": 251 }
103
/* Copyright 2020 Tecnativa - Alexandre D. Díaz * License AGPL-3.0 or later (https://www.gnu.org/licenses/agpl). */ /** * Services workers are a piece of software separated from the user page. * Here can't use 'Odoo Bootstrap', so we can't work with 'require' system. * When the service worker is called to be installed from the "pwa_manager" * this class is instantiated. */ odoo.define("web_pwa_oca.PWA", function (require) { "use strict"; const OdooClass = require("web.Class"); const PWA = OdooClass.extend({ // eslint-disable-next-line init: function (params) { // To be overridden this._sw_version = params.sw_version; }, /** * @returns {Promise} */ start: function () { return Promise.resolve(); }, /** * @returns {Promise} */ installWorker: function () { // To be overridden return Promise.resolve(); }, /** * @returns {Promise} */ /* eslint-disable no-unused-vars */ activateWorker: function (forced) { // To be overridden return Promise.resolve(); }, /** * @returns {Promise} */ processRequest: function (request) { // To be overridden return fetch(request); }, }); return PWA; });
OCA/web/web_pwa_oca/static/src/js/worker/pwa.js/0
{ "file_path": "OCA/web/web_pwa_oca/static/src/js/worker/pwa.js", "repo_id": "OCA", "token_count": 656 }
104
Adds a button next to the pager (in trees/kanban views) to refresh the displayed list. .. image:: ./static/description/refresh.png
OCA/web/web_refresher/readme/DESCRIPTION.rst/0
{ "file_path": "OCA/web/web_refresher/readme/DESCRIPTION.rst", "repo_id": "OCA", "token_count": 37 }
105
* Francisco Javier Luna Vázquez <fluna@vauxoo.com> * Tomás Álvarez <tomas@vauxoo.com> * `Komit <https://komit-consulting.com/>`_: * Cuong Nguyen Mtm <cuong.nmtm@komit-consulting.com>
OCA/web/web_remember_tree_column_width/readme/CONTRIBUTORS.rst/0
{ "file_path": "OCA/web/web_remember_tree_column_width/readme/CONTRIBUTORS.rst", "repo_id": "OCA", "token_count": 85 }
106
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_responsive # msgid "" msgstr "" "Project-Id-Version: Odoo Server 14.0\n" "Report-Msgid-Bugs-To: \n" "PO-Revision-Date: 2021-04-11 18:46+0000\n" "Last-Translator: Yves Le Doeuff <yld@alliasys.fr>\n" "Language-Team: none\n" "Language: fr_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_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 "Annuler" #. 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 "Maximiser" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/components/attachment_viewer/attachment_viewer.xml:0 #, python-format msgid "Minimize" msgstr "Minimiser" #. 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 "Sauvegarder" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/components/apps_menu/apps_menu.xml:0 #, python-format msgid "Search menus..." msgstr "Rechercher dans les menus..." #. 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 "Créer" #~ msgid "Chatter Position" #~ msgstr "Position du Chatter" #, python-format #~ msgid "Edit" #~ msgstr "Editer" #~ msgid "Normal" #~ msgstr "Normal" #, python-format #~ msgid "Quick actions" #~ msgstr "Actions rapides" #~ msgid "Sided" #~ msgstr "À coté" #~ msgid "Users" #~ msgstr "Utilisateurs"
OCA/web/web_responsive/i18n/fr_FR.po/0
{ "file_path": "OCA/web/web_responsive/i18n/fr_FR.po", "repo_id": "OCA", "token_count": 1604 }
107
/** @odoo-module **/ /* Copyright 2023 Onestein - Anjeel Haria * License LGPL-3.0 or later (http://www.gnu.org/licenses/lgpl). */ import {ChatterTopbar} from "@mail/components/chatter_topbar/chatter_topbar"; import {deviceContext} from "@web_responsive/components/ui_context.esm"; import {patch} from "web.utils"; // Patch chatter topbar to add ui device context patch(ChatterTopbar.prototype, "web_responsive.ChatterTopbar", { setup() { this._super(); this.ui = deviceContext; }, });
OCA/web/web_responsive/static/src/components/chatter_topbar/chatter_topbar.esm.js/0
{ "file_path": "OCA/web/web_responsive/static/src/components/chatter_topbar/chatter_topbar.esm.js", "repo_id": "OCA", "token_count": 186 }
108
/* Copyright 2023 Tecnativa - Carlos Roca * License LGPL-3.0 or later (http://www.gnu.org/licenses/lgpl). */ // Many2one li items with wrap .o_field_many2one_selection { ul.ui-autocomplete .dropdown-item.ui-menu-item-wrapper { white-space: initial; } }
OCA/web/web_responsive/static/src/views/form/form_controller.scss/0
{ "file_path": "OCA/web/web_responsive/static/src/views/form/form_controller.scss", "repo_id": "OCA", "token_count": 108 }
109
/** @odoo-module **/ import {patch} from "@web/core/utils/patch"; import {SearchBar} from "@web/search/search_bar/search_bar"; patch(SearchBar.prototype, "web_search_with_and/static/src/js/search_bar.js", { selectItem(item) { if (!item.unselectable) { const {searchItemId, label, operator, value} = item; this.env.searchModel.addAutoCompletionValues(searchItemId, { label, operator, value, isShiftKey: this.isShiftKey, }); } this.resetState(); }, onSearchKeydown(ev) { this.isShiftKey = ev.shiftKey || false; this._super(ev); }, });
OCA/web/web_search_with_and/static/src/js/search_bar.esm.js/0
{ "file_path": "OCA/web/web_search_with_and/static/src/js/search_bar.esm.js", "repo_id": "OCA", "token_count": 334 }
110
<?xml version="1.0" encoding="UTF-8" ?> <templates xml:space="preserve"> <t t-name="web_select_all_companies.SwitchAllCompanyMenu" t-inherit="web.SwitchCompanyMenu" t-inherit-mode="extension" owl="1" > <xpath expr="//t[@t-key='company.id']" position="before"> <DropdownItem class="'p-0 bg-white'"> <div class="d-flex"> <div role="menuitemcheckbox" tabindex="0" t-attf-class="{{isCurrent ? 'border-primary' : ''}}" class="border-end toggle_company" t-on-click.stop="() => this.toggleSelectAllCompanies()" > <span class="btn btn-light border-0 p-2"> <i class="fa fa-fw py-2 text-primary" t-att-class="isAllCompaniesSelected ? 'fa-check-square text-primary' : 'fa-square-o'" /> </span> </div> <div role="button" tabindex="0" class="d-flex flex-grow-1 align-items-center py-0 ps-2 ms-1 me-2 all-companies-item" title="Select All Companies" name="select_all_companies" > <span>All Companies</span> </div> </div> </DropdownItem> </xpath> </t> </templates>
OCA/web/web_select_all_companies/static/src/xml/switch_all_company_menu.xml/0
{ "file_path": "OCA/web/web_select_all_companies/static/src/xml/switch_all_company_menu.xml", "repo_id": "OCA", "token_count": 1029 }
111
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_timeline # 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_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 "Está seguro de que quer eliminar este registo?" #. module: web_timeline #. odoo-javascript #: code:addons/web_timeline/static/src/xml/web_timeline.xml:0 #, python-format msgid "Day" msgstr "Dia" #. module: web_timeline #. odoo-javascript #: code:addons/web_timeline/static/src/xml/web_timeline.xml:0 #, python-format msgid "Month" msgstr "Mês" #. 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 "" "O modelo \"timeline-item\" não está presente na definição da vista da linha " "temporal." #. 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 "Linha Temporal" #. 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 "A vista da linha temporal não tem o atributo 'date_start' definido." #. module: web_timeline #. odoo-javascript #: code:addons/web_timeline/static/src/xml/web_timeline.xml:0 #, python-format msgid "Today" msgstr "Hoje" #. module: web_timeline #: model:ir.model,name:web_timeline.model_ir_ui_view msgid "View" msgstr "Vista" #. module: web_timeline #: model:ir.model.fields,field_description:web_timeline.field_ir_ui_view__type msgid "View Type" msgstr "Tipo de Vista" #. module: web_timeline #. odoo-javascript #: code:addons/web_timeline/static/src/js/timeline_controller.esm.js:0 #, python-format msgid "Warning" msgstr "Aviso" #. module: web_timeline #. odoo-javascript #: code:addons/web_timeline/static/src/xml/web_timeline.xml:0 #, python-format msgid "Week" msgstr "Semana" #. module: web_timeline #. odoo-javascript #: code:addons/web_timeline/static/src/xml/web_timeline.xml:0 #, python-format msgid "Year" msgstr "Ano" #~ msgid "Activity" #~ msgstr "Atividade" #~ msgid "Calendar" #~ msgstr "Calendário" #~ msgid "Diagram" #~ msgstr "Diagrama" #~ msgid "Form" #~ msgstr "Formulário" #~ msgid "Graph" #~ msgstr "Gráfico" #~ msgid "Search" #~ msgstr "Pesquisar" #~ msgid "Tree" #~ msgstr "Árvore"
OCA/web/web_timeline/i18n/pt.po/0
{ "file_path": "OCA/web/web_timeline/i18n/pt.po", "repo_id": "OCA", "token_count": 1286 }
112
/* Copyright 2018 Onestein * License AGPL-3.0 or later (https://www.gnu.org/licenses/agpl). */ odoo.define("web_timeline.TimelineCanvas", function (require) { "use strict"; const Widget = require("web.Widget"); /** * Used to draw stuff on upon the timeline view. */ const TimelineCanvas = Widget.extend({ template: "TimelineView.Canvas", /** * Clears all drawings (svg elements) from the canvas. */ clear: function () { this.$(" > :not(defs)").remove(); }, /** * Gets the path from one point to another. * * @param {Object} rectFrom * @param {Object} rectTo * @param {Number} widthMarker The marker's width of the polyline * @param {Number} breakAt The space between the line turns * @returns {Array} Each item represents a coordinate */ get_polyline_points: function (rectFrom, rectTo, widthMarker, breakAt) { let fromX = 0, toX = 0; if (rectFrom.x < rectTo.x + rectTo.w) { fromX = rectFrom.x + rectFrom.w + widthMarker; toX = rectTo.x; } else { fromX = rectFrom.x - widthMarker; toX = rectTo.x + rectTo.w; } let deltaBreak = 0; if (fromX < toX) { deltaBreak = fromX + breakAt - (toX - breakAt); } else { deltaBreak = fromX - breakAt - (toX + breakAt); } const fromHalfHeight = rectFrom.h / 2; const fromY = rectFrom.y + fromHalfHeight; const toHalfHeight = rectTo.h / 2; const toY = rectTo.y + toHalfHeight; const xDiff = fromX - toX; const yDiff = fromY - toY; const threshold = breakAt + widthMarker; const spaceY = toHalfHeight + 2; const points = [[fromX, fromY]]; const _addPoints = (space, ePoint, mode) => { if (mode) { points.push([fromX + breakAt, fromY]); points.push([fromX + breakAt, ePoint + space]); points.push([toX - breakAt, toY + space]); points.push([toX - breakAt, toY]); } else { points.push([fromX - breakAt, fromY]); points.push([fromX - breakAt, ePoint + space]); points.push([toX + breakAt, toY + space]); points.push([toX + breakAt, toY]); } }; if (fromY !== toY) { if (Math.abs(xDiff) < threshold) { points.push([fromX + breakAt, toY + yDiff]); points.push([fromX + breakAt, toY]); } else { const yDiffSpace = yDiff > 0 ? spaceY : -spaceY; _addPoints(yDiffSpace, toY, rectFrom.x < rectTo.x + rectTo.w); } } else if (Math.abs(deltaBreak) >= threshold) { _addPoints(spaceY, fromY, fromX < toX); } points.push([toX, toY]); return points; }, /** * Draws an arrow. * * @param {HTMLElement} from Element to draw the arrow from * @param {HTMLElement} to Element to draw the arrow to * @param {String} color Color of the line * @param {Number} width Width of the line * @returns {HTMLElement} The created SVG polyline */ draw_arrow: function (from, to, color, width) { return this.draw_line(from, to, color, width, "#arrowhead", 10, 12); }, /** * Draws a line. * * @param {HTMLElement} from Element to draw the line from * @param {HTMLElement} to Element to draw the line to * @param {String} color Color of the line * @param {Number} width Width of the line * @param {String} markerStart Start marker of the line * @param {Number} widthMarker The marker's width of the polyline * @param {Number} breakLineAt The space between the line turns * @returns {HTMLElement} The created SVG polyline */ draw_line: function ( from, to, color, width, markerStart, widthMarker, breakLineAt ) { const $from = $(from); const childPosFrom = $from.offset(); const parentPosFrom = $from.closest(".vis-center").offset(); const rectFrom = { x: childPosFrom.left - parentPosFrom.left, y: childPosFrom.top - parentPosFrom.top, w: $from.width(), h: $from.height(), }; const $to = $(to); const childPosTo = $to.offset(); const parentPosTo = $to.closest(".vis-center").offset(); const rectTo = { x: childPosTo.left - parentPosTo.left, y: childPosTo.top - parentPosTo.top, w: $to.width(), h: $to.height(), }; const points = this.get_polyline_points( rectFrom, rectTo, widthMarker, breakLineAt ); const line = document.createElementNS( "http://www.w3.org/2000/svg", "polyline" ); line.setAttribute("points", _.flatten(points).join(",")); line.setAttribute("stroke", color || "#000"); line.setAttribute("stroke-width", width || 1); line.setAttribute("fill", "none"); if (markerStart) { line.setAttribute("marker-start", "url(" + markerStart + ")"); } this.$el.append(line); return line; }, }); return TimelineCanvas; });
OCA/web/web_timeline/static/src/js/timeline_canvas.js/0
{ "file_path": "OCA/web/web_timeline/static/src/js/timeline_canvas.js", "repo_id": "OCA", "token_count": 3113 }
113
- Enable more mobile UI enhancements for tablets as they seem relevant. - Allow setting per user or per session, with sane defaults. Just in case you happen to use a tablet with a mouse.
OCA/web/web_touchscreen/readme/ROADMAP.md/0
{ "file_path": "OCA/web/web_touchscreen/readme/ROADMAP.md", "repo_id": "OCA", "token_count": 43 }
114
# 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: 2019-09-01 12:52+0000\n" "Last-Translator: 黎伟杰 <674416404@qq.com>\n" "Language-Team: none\n" "Language: zh_CN\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: \n" "Plural-Forms: nplurals=1; plural=0;\n" "X-Generator: Weblate 3.8\n" #. module: web_tree_duplicate #. openerp-web #: code:addons/web_tree_duplicate/static/src/js/backend.js:47 #, python-format msgid "Duplicate" msgstr "复制" #. module: web_tree_duplicate #. openerp-web #: code:addons/web_tree_duplicate/static/src/js/backend.js:84 #, python-format msgid "Duplicated Records" msgstr "复制记录"
OCA/web/web_tree_duplicate/i18n/zh_CN.po/0
{ "file_path": "OCA/web/web_tree_duplicate/i18n/zh_CN.po", "repo_id": "OCA", "token_count": 371 }
115
* Therp BV * Pedro M. Baeza <pedro.baeza@serviciosbaeza.com> * Antonio Espinosa <antonio.espinosa@tecnativa.com> * Sodexis <dev@sodexis.com> * Artem Kostyuk <a.kostyuk@mobilunity.com> * Anand Kansagra <kansagraanand@hotmail.com> * Alexandre Díaz <alexandre.diaz@tecnativa.com> * Dennis Sluijk <d.sluijk@onestein.nl>
OCA/web/web_tree_many2one_clickable/readme/CONTRIBUTORS.rst/0
{ "file_path": "OCA/web/web_tree_many2one_clickable/readme/CONTRIBUTORS.rst", "repo_id": "OCA", "token_count": 149 }
116
* 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>
OCA/web/web_widget_bokeh_chart/readme/CONTRIBUTORS.rst/0
{ "file_path": "OCA/web/web_widget_bokeh_chart/readme/CONTRIBUTORS.rst", "repo_id": "OCA", "token_count": 137 }
117
# Copyright 2019 Tecnativa - David Vidal # License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html). { "name": "Web Widget Domain Editor Dialog", "summary": "Recovers the Domain Editor Dialog functionality", "version": "16.0.1.0.0", "category": "Web", "author": "Tecnativa," "Odoo Community Association (OCA)", "website": "https://github.com/OCA/web", "license": "AGPL-3", "depends": ["web"], "assets": { "web.assets_backend": [ "/web_widget_domain_editor_dialog/static/src/js/*.esm.js", ], }, "installable": True, }
OCA/web/web_widget_domain_editor_dialog/__manifest__.py/0
{ "file_path": "OCA/web/web_widget_domain_editor_dialog/__manifest__.py", "repo_id": "OCA", "token_count": 255 }
118
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_widget_dropdown_dynamic # msgid "" msgstr "" "Project-Id-Version: Odoo Server 14.0\n" "Report-Msgid-Bugs-To: \n" "PO-Revision-Date: 2021-10-13 20:46+0000\n" "Last-Translator: Corneliuus <cornelius@clk-it.de>\n" "Language-Team: none\n" "Language: de\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_dropdown_dynamic #. odoo-javascript #: code:addons/web_widget_dropdown_dynamic/static/src/js/field_dynamic_dropdown.esm.js:0 #, python-format msgid "Dynamic Dropdown" msgstr "Dynamisches Dropdown"
OCA/web/web_widget_dropdown_dynamic/i18n/de.po/0
{ "file_path": "OCA/web/web_widget_dropdown_dynamic/i18n/de.po", "repo_id": "OCA", "token_count": 310 }
119
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_widget_image_webcam # msgid "" msgstr "" "Project-Id-Version: Odoo Server 12.0\n" "Report-Msgid-Bugs-To: \n" "PO-Revision-Date: 2020-08-06 11:59+0000\n" "Last-Translator: claudiagn <claudia.gargallo@qubiq.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 3.10\n" #. module: web_widget_image_webcam #. odoo-javascript #: code:addons/web_widget_image_webcam/static/src/js/webcam_widget.js:0 #, python-format msgid "Close" msgstr "Cerrar" #. module: web_widget_image_webcam #. odoo-javascript #: code:addons/web_widget_image_webcam/static/src/js/webcam_widget.js:0 #, python-format msgid "Save & Close" msgstr "Guardar y cerrar" #. module: web_widget_image_webcam #: model:ir.model,name:web_widget_image_webcam.model_ir_config_parameter msgid "System Parameter" msgstr "Parámetro del sistema" #. module: web_widget_image_webcam #. odoo-javascript #: code:addons/web_widget_image_webcam/static/src/js/webcam_widget.js:0 #, python-format msgid "Take Snapshot" msgstr "Tomar instantánea" #. module: web_widget_image_webcam #. odoo-javascript #: code:addons/web_widget_image_webcam/static/src/xml/web_widget_image_webcam.xml:0 #, python-format msgid "WebCam" msgstr "WebCam" #. module: web_widget_image_webcam #. odoo-javascript #: code:addons/web_widget_image_webcam/static/src/js/webcam_widget.js:0 #, python-format msgid "WebCam Booth" msgstr "Cabina de WebCam"
OCA/web/web_widget_image_webcam/i18n/es.po/0
{ "file_path": "OCA/web/web_widget_image_webcam/i18n/es.po", "repo_id": "OCA", "token_count": 663 }
120
====================== Web Widget mpld3 Chart ====================== .. !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! This file is generated by oca-gen-addon-readme !! !! changes will be overwritten. !! !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! source digest: sha256:a74d15907ff4678410ffd1913b2f75b5c7d818852dc75f13bba0311a6ffeda6e !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! .. |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-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_mpld3_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_mpld3_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 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/>`_. **Table of contents** .. contents:: :local: Installation ============ You need to install the python mpld3 library:: pip install mpld3 Usage ===== To insert a mpld3 chart in a view proceed as follows: #. You should inherit from abstract class abstract.mpld3.parser:: _name = 'res.partner' _inherit = ['res.partner', 'abstract.mpld3.parser'] #. Import the required libraries:: import matplotlib.pyplot as plt #. Declare a json computed field like this:: mpld3_chart = fields.Json( string='Mpld3 Chart', compute='_compute_mpld3_chart', ) #. In its computed method do:: def _compute_mpld3_chart(self): for rec in self: # Design your mpld3 figure: plt.scatter([1, 10], [5, 9]) figure = plt.figure() rec.mpld3_chart = self.convert_figure_to_json(figure) #. In the view, add something like this wherever you want to display your mpld3 chart:: <div> <field name="mpld3_chart" widget="mpld3_chart" nolabel="1"/> </div> 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_mpld3_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 Contributors ~~~~~~~~~~~~ * Jordi Ballester Alomar <jordi.ballester@forgeflow.com> * Christopher Ormaza <chris.ormaza@forgeflow.com> Other credits ~~~~~~~~~~~~~ * This module uses the library `mpld3 <https://github.com/mpld3/mpld3>`__ which is under the open-source BSD 3-clause "New" or "Revised" License. Copyright (c) 2013, Jake Vanderplas * This module uses the library `BeautifulSoup 4 <https://pypi.org/project/beautifulsoup4/>`__ which is under the open-source MIT License. Copyright (c) 2014, Leonard Richardson * 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-JordiBForgeFlow| image:: https://github.com/JordiBForgeFlow.png?size=40px :target: https://github.com/JordiBForgeFlow :alt: JordiBForgeFlow .. |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-JordiBForgeFlow| |maintainer-ChrisOForgeFlow| This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_widget_mpld3_chart>`_ project on GitHub. You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
OCA/web/web_widget_mpld3_chart/README.rst/0
{ "file_path": "OCA/web/web_widget_mpld3_chart/README.rst", "repo_id": "OCA", "token_count": 1808 }
121
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_widget_open_tab # 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_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 ""
OCA/web/web_widget_open_tab/i18n/web_widget_open_tab.pot/0
{ "file_path": "OCA/web/web_widget_open_tab/i18n/web_widget_open_tab.pot", "repo_id": "OCA", "token_count": 509 }
122
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_widget_x2many_2d_matrix # # Translators: # Ahmet Altınışık <aaltinisik@altinkaya.com.tr>, 2015 msgid "" msgstr "" "Project-Id-Version: web (8.0)\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2016-01-08 21:34+0000\n" "PO-Revision-Date: 2015-12-30 22:00+0000\n" "Last-Translator: Ahmet Altınışık <aaltinisik@altinkaya.com.tr>\n" "Language-Team: Turkish (http://www.transifex.com/oca/OCA-web-8-0/language/" "tr/)\n" "Language: tr\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: \n" "Plural-Forms: nplurals=2; plural=(n > 1);\n" #. module: web_widget_x2many_2d_matrix #. odoo-javascript #: code:addons/web_widget_x2many_2d_matrix/static/src/components/x2many_2d_matrix_renderer/x2many_2d_matrix_renderer.xml:0 #, python-format msgid "Nothing to display." msgstr "" #, fuzzy, python-format #~ msgid "Sum Total" #~ msgstr "Toplam"
OCA/web/web_widget_x2many_2d_matrix/i18n/tr.po/0
{ "file_path": "OCA/web/web_widget_x2many_2d_matrix/i18n/tr.po", "repo_id": "OCA", "token_count": 429 }
123
/** @odoo-module **/ import {patch} from "@web/core/utils/patch"; import {BooleanField} from "@web/views/fields/boolean/boolean_field"; patch(BooleanField.prototype, "web_widget_x2many_2d_matrix", { get isReadonly() { if (this.props.record.bypass_readonly) { return false; } return this._super(...arguments); }, });
OCA/web/web_widget_x2many_2d_matrix/static/src/views/fields/boolean/boolean_field.esm.js/0
{ "file_path": "OCA/web/web_widget_x2many_2d_matrix/static/src/views/fields/boolean/boolean_field.esm.js", "repo_id": "OCA", "token_count": 156 }
124
Contributing ============ If you would like to contribute code to Squash, thank you! You can do so through GitHub by forking one of the repositories and sending a pull request. However, before your code can be accepted into the project we need you to sign the (super simple) [Individual Contributor License Agreement (CLA)][1]. [1]: https://spreadsheets.google.com/spreadsheet/viewform?formkey=dDViT2xzUHAwRkI3X3k5Z0lQM091OGc6MQ&ndplr=1
SquareSquash/web/CONTRIBUTING.md/0
{ "file_path": "SquareSquash/web/CONTRIBUTING.md", "repo_id": "SquareSquash", "token_count": 135 }
125
@import "vars"; $tab-bg-color: $gray6; body { // bleed the tab background color all the way to the bottom &.tabbed { background-color: $tab-bg-color; } } // in order to get the background colors of the fluid grid to bleed out to the // edge of the page, we have to wrap every "container" element with its own // custom container of 100% width, and set the style of that div according to // the container's role (navbar, breadcrumbs, content, etc.). #navbar-container { background-color: #212121; } #breadcrumbs-container { background-color: white; border-bottom: 1px solid $gray5; } .content-container { background-color: white; padding-top: $nav-height; padding-bottom: 35px; } .content-container-alt { background-color: $tab-bg-color; padding-top: $nav-height; padding-bottom: 35px; } .tab-header-container { background-color: $gray4; ul { width: 100%; display: -webkit-box; display: -moz-box; display: box; -webkit-box-orient: horizontal; -moz-box-orient: horizontal; box-orient: horizontal; @include iphone-landscape-and-smaller { display: block; } li { background-color: $gray4; font-weight: bold; text-align: center; padding: 10px 20px; font-size: 14px; -webkit-box-flex: 1; -moz-box-flex: 1; box-flex: 1; &.active { background-color: $tab-bg-color; } &.with-table.active { background-color: #e6e6e6; } a { text-decoration: none; } } } } .tab-container { background-color: $tab-bg-color; .tab-content>div { padding: 50px; @include iphone-landscape-and-smaller { padding: 10px 0; } } .tab-content>.with-table { padding: 0; @include iphone-landscape-and-smaller { // remove the top border to make the table flush with the bottom of the tabs &>table thead>tr { border-top: none; } } } } .modal-container>.row { // adds a top margin to the content grid for modal-type views to separate it // from the navbar margin-top: 20px; &>.twelve.columns { background-color: $gray2; color: white; text-align: center; padding-top: 40px; border-top-left-radius: $radius-size; border-top-right-radius: $radius-size; .body-portion { margin-top: 40px; background-color: $gray6; color: black; text-align: left; padding: 50px 0; .inset { padding-left: 20px; padding-right: 20px; } } } } .tab-content>* { display: none; &.active { display: block; } }
SquareSquash/web/app/assets/stylesheets/_containers.scss/0
{ "file_path": "SquareSquash/web/app/assets/stylesheets/_containers.scss", "repo_id": "SquareSquash", "token_count": 1039 }
126
@import "vars"; @import "tables"; body#occurrences-show { // color the tabbed portion gray by coloring out the global portion as white #mainbar { background-color: $gray6; } #global-portion { background-color: white; } #occurrence-header { h1 { margin-bottom: 5px; } h4 { margin-top: 0; margin-bottom: 20px; border-bottom: 1px solid $gray5; padding-bottom: 20px; } } ul.backtrace { a { text-decoration: none; } >li { margin-bottom: 5px; &.lib, &>p { // hang the first line in case it wraps text-indent: -20px; padding-left: 20px; } &, p>a { font-family: Menlo, monospace; color: $gray2; } &.lib { color: $gray4; } &.filtered p>a { color: $gray3; } p { margin: 0; } div { margin-left: 20px; margin-right: 20px; } blockquote { font-size: 11px; margin: 10px 0; } } } .backtrace-tabs a.faulted { color: $red; } #parents-tab-content { margin-left: 20px; margin-right: 20px; } } .value-inspector { summary { font-weight: bold; } summary i { margin-right: 4px; } table td { vertical-align: top; padding: 2px 4px; } pre { white-space: pre-wrap; &.nowrap { white-space: pre; } } } table.parameter { @include table; } .value-inspector { width: 67%; .modal-body { max-height: 460px; overflow-y: auto; padding-bottom: 30px; input[type=checkbox], input[type=radio] { margin-top: 5px; } table { width: auto; } } }
SquareSquash/web/app/assets/stylesheets/occurrences.css.scss/0
{ "file_path": "SquareSquash/web/app/assets/stylesheets/occurrences.css.scss", "repo_id": "SquareSquash", "token_count": 744 }
127
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # Controller that works with the {Bug Bugs} in a {Project}'s {Environment}. # # Common # ====== # # Path Parameters # --------------- # # | | | # |:-----------------|:----------------------| # | `project_id` | The Project's slug. | # | `environment_id` | The Environment name. | class BugsController < ApplicationController include ActionView::Helpers::NumberHelper # Maps values for the `sort` query parameters to an array of the `bugs` column # to sort by and the default sort direction. "latest" is the default. SORTS = { 'first' => %w(bugs.first_occurrence ASC), 'latest' => %w(bugs.latest_occurrence DESC), 'occurrences' => %w(bugs.occurrences_count DESC) } SORTS.default = SORTS['latest'] # Number of Bugs to return per page. PER_PAGE = 50 before_filter :find_project before_filter :find_environment before_filter :find_bug, except: [:index, :count, :notify_deploy, :notify_occurrence] before_filter :membership_required, only: [:update, :destroy] respond_to :html, :atom, :json # Generally, displays a list of a Bugs. # # HTML # ==== # # Renders a page with a sortable table displaying the Bugs in an Environment. # # Routes # ------ # # * `GET /projects/:project_id/environments/:environment_id/bugs` # # JSON # ==== # # Powers said sortable table; returns a paginating list of 50 Bugs, sorted # according to the query parameters. # # Routes # ------ # # * `GET /projects/:project_id/environments/:environment_id/bugs.json` # # Query Parameters # ---------------- # # | | | # |:-------|:----------------------------------------------------------------------------------------------------------| # | `sort` | How to sort the list of Bugs; see {SORTS}. | # | `dir` | The direction of sort, "ASC" or "DESC" (ignored otherwise). | # | `last` | The number of the last Bug of the previous page; used to determine the start of the next page (optional). | # # Atom # ==== # # Returns a feed of the most recently received bugs. # # Routes # ------ # # * `GET /projects/:project_id/environments/:environment_id/bugs.atom` def index respond_to do |format| format.html do @filter_users = User.where(id: @environment.bugs.select('assigned_user_id').uniq.limit(PER_PAGE).map(&:assigned_user_id)).order('username ASC') # index.html.rb end format.json do filter = (params[:filter] || ActionController::Parameters.new).permit(:fixed, :irrelevant, :assigned_user_id, :deploy_id, :search, :any_occurrence_crashed) filter.each { |k, v| filter[k] = nil if v == '' } filter.delete('deploy_id') if filter['deploy_id'].nil? # no deploy set means ANY deploy, not NO deploy filter.delete('any_occurrence_crashed') if filter['any_occurrence_crashed'].nil? # sentinel values filter.delete('assigned_user_id') if filter['assigned_user_id'] == 'somebody' filter.delete('assigned_user_id') if filter['assigned_user_id'] == 'anybody' filter['assigned_user_id'] = nil if filter['assigned_user_id'] == 'nobody' query = filter.delete('search') sort_column, default_dir = SORTS[params[:sort]] dir = if params[:dir].kind_of?(String) then SORT_DIRECTIONS.include?(params[:dir].upcase) ? params[:dir].upcase : default_dir else default_dir end @bugs = @environment.bugs.where(filter).order("#{sort_column} #{dir}, bugs.number #{dir}").limit(PER_PAGE) @bugs = @bugs.where('assigned_user_id IS NOT NULL') if params[:filter] && params[:filter][:assigned_user_id] == 'somebody' @bugs = @bugs.query(query) if query.present? last = params[:last].present? ? @environment.bugs.find_by_number(params[:last]) : nil @bugs = @bugs.where(infinite_scroll_clause(sort_column, dir, last, 'bugs.number')) if last begin render json: decorate_bugs(@bugs) rescue => err if (err.kind_of?(ActiveRecord::StatementInvalid) || (defined?(ActiveRecord::JDBCError) && err.kind_of?(ActiveRecord::JDBCError))) && err.to_s =~ /syntax error in tsquery/ head :unprocessable_entity else raise end end end format.atom { @bugs = @environment.bugs.order('first_occurrence DESC').limit(100) } end end # Displays a page with information about a Bug. # # Routes # ------ # # * `GET /projects/:project_id/environments/:environment_id/bugs/:id` # # Path Parameters # --------------- # # | | | # |:-----|:-------------------------| # | `id` | The Bug number (not ID). | def show @aggregation_dimensions = Occurrence::AGGREGATING_FIELDS. map { |field| [Occurrence.human_attribute_name(field), field.to_s] }. unshift(['', nil]) # We use `duplicate_of_number` on the view and `duplicate_of_id` in the # backend, so we need to copy between those values. @bug.duplicate_of_number = @bug.duplicate_of.try!(:number) @new_issue_url = Service::JIRA.new_issue_link(summary: t('controllers.bugs.show.jira_link.summary', class_name: @bug.class_name, file_name: File.basename(@bug.file), line: @bug.special_file? ? t('controllers.bugs.show.jira_link.not_applicable') : @bug.line, locale: @bug.environment.project.locale), environment: @environment.name, description: t('controllers.bugs.show.jira_link.description', class_name: @bug.class_name, file: File.basename(@bug.file), line: @bug.special_file? ? t('controllers.bugs.show.jira_link.not_applicable') : @bug.line, message: @bug.message_template, revision: @bug.revision, url: project_environment_bug_url(@project, @environment, @bug), locale: @bug.environment.project.locale), issuetype: 1) respond_with @project, @environment, @bug.as_json.merge(watched: current_user.watches?(@bug)) end # Updates the bug management and tracking information for a Bug. # # Routes # ------ # # * `PATCH /projects/:project_id/environments/:environment_id/bugs/:id.json` # # Path Parameters # --------------- # # | | | # |:-----|:-------------------------| # | `id` | The Bug number (not ID). | # # Body Parameters # --------------- # # The body can be JSON- or form URL-encoded. # # | | | # |:----------|:--------------------------------------------------------------------------------------| # | `bug` | A parameterized hash of Bug fields. | # | `comment` | A parameterized hash of fields for a Comment to be created along with the Bug update. | def update # We use `duplicate_of_number` on the view and `duplicate_of_id` in the # backend, so we need to copy between those values. add_error = false if (number = params[:bug].delete('duplicate_of_number')).present? original_bug = @environment.bugs.where(number: number).first if original_bug @bug.duplicate_of_id = original_bug.id else add_error = true end else @bug.duplicate_of_id = nil end # hacky fix for the JIRA status dropdown params[:bug][:jira_status_id] = params[:bug][:jira_status_id].presence if !add_error && @bug.update_attributes(bug_params) if params[:comment].kind_of?(Hash) && params[:comment][:body].present? @comment = @bug.comments.build(comment_params) @comment.user = current_user @comment.save end if params[:notification_threshold] if params[:notification_threshold][:threshold].blank? && params[:notification_threshold][:period].blank? current_user.notification_thresholds.where(bug_id: @bug.id).delete_all else @notification_threshold = current_user.notification_thresholds.where(bug_id: @bug.id).create_or_update(notification_threshold_params) end end else @bug.errors.add :duplicate_of_id, :not_found if add_error @bug.errors[:duplicate_of_id].each { |error| @bug.errors.add :duplicate_of_number, error } end respond_with @project, @environment, @bug.reload # reload to grab the new cached counter values end # Deletes a Bug. (Ideally it's one that probably won't just recur in a few # days.) # # Routes # ------ # # * `DELETE /projects/:project_id/environments/:environment_id/bugs/:id.json` # # Path Parameters # --------------- # # | | | # |:-----|:-------------------------| # | `id` | The Bug number (not ID). | def destroy @bug.destroy respond_to do |format| format.html { redirect_to project_environment_bugs_url(@project, @environment), flash: {success: t('controllers.bugs.destroy.deleted', number: number_with_delimiter(@bug.number))} } end end # Toggles a Bug as watched or unwatched (see {Watch}). # # Routes # ------ # # * `POST /projects/:project_id/environments/:environment_id/bugs/:id/watch.json` # # Path Parameters # --------------- # # | | | # |:-----|:-------------------------| # | `id` | The Bug number (not ID). | def watch if (watch = current_user.watches?(@bug)) watch.destroy else watch = current_user.watches.where(bug_id: @bug.id).find_or_create end respond_to do |format| format.json do head(watch.destroyed? ? :no_content : :created) end end end # Toggles on or off email notifications to the current user when the Bug's # resolution commit is deployed. # # Routes # ------ # # * `POST /projects/:project_id/environments/:environment_id/bugs/:id/notify_deploy.json` # # Path Parameters # --------------- # # | | | # |:-----|:-------------------------| # | `id` | The Bug number (not ID). | def notify_deploy Bug.transaction do find_bug list = @bug.notify_on_deploy if list.include?(current_user.id) list.delete current_user.id else list << current_user.id end @bug.notify_on_deploy = list @bug.save! end respond_to do |format| format.json { render json: decorate_bug(@bug), location: project_environment_bug_url(@project, @environment, @bug) } end end # Toggles on or off email notifications to the current user when new # Occurrences of this Bug are received. # # Routes # ------ # # * `POST /projects/:project_id/environments/:environment_id/bugs/:id/notify_occurrence.json` # # Path Parameters # --------------- # # | | | # |:-----|:-------------------------| # | `id` | The Bug number (not ID). | def notify_occurrence Bug.transaction do find_bug list = @bug.notify_on_occurrence if list.include?(current_user.id) list.delete current_user.id else list << current_user.id end @bug.notify_on_occurrence = list @bug.save! end respond_to do |format| format.json { render json: decorate_bug(@bug), location: project_environment_bug_url(@project, @environment, @bug) } end end private def find_bug @bug = @environment.bugs.find_by_number!(params[:id]) @bug.modifier = current_user end def decorate_bugs(bugs) bugs.map { |bug| decorate_bug bug } end def decorate_bug(bug) bug.as_json(only: [:number, :class_name, :message_template, :file, :line, :occurrences_count, :comments_count, :latest_occurrence]).merge( href: project_environment_bug_url(@project, @environment, bug), notify_on_deploy: bug.notify_on_deploy.include?(current_user.id), notify_on_occurrence: bug.notify_on_occurrence.include?(current_user.id) ) end def bug_params params.require(:bug).permit(:assigned_user, :assigned_user_id, :resolution_revision, :fixed, :fix_deployed, :irrelevant, :duplicate_of, :duplicate_of_id, :jira_isssue, :jira_status_id, :page_threshold, :page_period) end def comment_params params.require(:comment).permit(:body) end def notification_threshold_params params.require(:notification_threshold).permit(:threshold, :period) end end
SquareSquash/web/app/controllers/bugs_controller.rb/0
{ "file_path": "SquareSquash/web/app/controllers/bugs_controller.rb", "repo_id": "SquareSquash", "token_count": 6471 }
128
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # Controller for working with {User Users}. class UsersController < ApplicationController skip_before_filter :login_required, only: :create before_filter :must_be_unauthenticated, only: :create before_filter :find_user, only: :show respond_to :html, only: [:show, :create] respond_to :json, only: :index def index return respond_with([]) if params[:query].blank? @users = User.prefix(params[:query]).limit(10).order('username ASC') last = params[:last].present? ? User.find_by_username(params[:last]) : nil @users = @users.where(infinite_scroll_clause('username', 'ASC', last, 'username')) if last project = params[:project_id].present? ? Project.find_from_slug!(params[:project_id]) : nil respond_with decorate(@users, project) end # Displays information about a user. # # Routes # ------ # # * `GET /users/:id` # # Path Parameters # --------------- # # | | | # |:-----|:---------------------| # | `id` | The User's username. | def show end # Creates a new User account. For password authenticating installs only. The # `email_address` and `password_confirmation` virtual fields must be # specified. # # If the signup is successful, takes the user to the next URL stored in the # params; or, if none is set, the root URL. # # Routes # ------ # # * `POST /users` # # Request Parameters # # | | | # |:-------|:-------------------------------------------| # | `next` | The URL to go to after signup is complete. | # # Body Parameters # --------------- # # | | | # |:-------|:-------------------------| # | `user` | The new User parameters. | def create unless Squash::Configuration.authentication.registration_enabled? return redirect_to(login_url, alert: t('controllers.users.create.disabled')) end @user = User.create(user_params) respond_with @user do |format| format.html do if @user.valid? log_in_user @user flash[:success] = t('controllers.users.create.success', name: @user.first_name || @user.username) redirect_to (params[:next].presence || root_url) else render 'sessions/new' end end end end if Squash::Configuration.authentication.strategy == 'password' private def find_user @user = User.find_by_username!(params[:id]) end def decorate(users, project=nil) users.map do |user| user.as_json.merge(is_member: project ? user.memberships.where(project_id: project.id).exists? : nil) end end def user_params params.require(:user).permit(:username, :password, :password_confirmation, :email_address, :first_name, :last_name) end end
SquareSquash/web/app/controllers/users_controller.rb/0
{ "file_path": "SquareSquash/web/app/controllers/users_controller.rb", "repo_id": "SquareSquash", "token_count": 1279 }
129
# 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. # {Bug Bugs} in a {Project} are assigned to an Environment, as specified by the # client library when delivering the occurrence report. Environments are just # string identifiers, and can be any useful platform-specific differentiator; # for example, the Rails environment of a Rails project, or the build channel of # an Android app. A new Environment is automatically created the first time its # string identifier is encountered. # # Associations # ============ # # | | | # |:----------|:--------------------------------------| # | `deploys` | The {Deploy Deploys} of this project. | # | `bugs` | The {Bug Bugs} in this project. | # # Properties # ========== # # | | | # |:-------|:-------------------------------------| # | `name` | The environment's unique identifier. | # # Metadata # ======== # # | | | # |:---------------------|:---------------------------------------------------------------------------------| # | `sends_emails` | Whether or not exceptions in this environment generate email notifications. | # | `notifies_pagerduty` | If `true`, PagerDuty incidents are created and managed for Bugs and Occurrences. | class Environment < ActiveRecord::Base belongs_to :project, inverse_of: :environments has_one :default_project, class_name: 'Project', foreign_key: 'default_environment_id', inverse_of: :default_environment has_many :deploys, dependent: :delete_all, inverse_of: :environment has_many :bugs, dependent: :delete_all, inverse_of: :environment has_many :source_maps, inverse_of: :environment, dependent: :delete_all include HasMetadataColumn has_metadata_column( sends_emails: {type: Boolean, default: true}, notifies_pagerduty: {type: Boolean, default: true} ) attr_readonly :project, :name validates :project, presence: true validates :name, presence: true, length: {maximum: 100}, uniqueness: {case_sensitive: false, scope: :project_id}, format: {with: /\A[a-zA-Z0-9\-_]+\z/} scope :with_name, ->(name) { where("LOWER(name) = ?", name.downcase) } # @private def to_param() name end def as_json(options=nil) options ||= {} options[:except] = Array.wrap(options[:except]) options[:except] << :id options[:except] << :project_id super options end end
SquareSquash/web/app/models/environment.rb/0
{ "file_path": "SquareSquash/web/app/models/environment.rb", "repo_id": "SquareSquash", "token_count": 1134 }
130
# 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 'digest/sha2' # A user account on this websites. Users have {Membership Memberships} to one or # more {Project Projects}, allowing them to view and manage {Bug Bugs} in that # project. # # Users can be authenticated by one of several authentication schemes. The value # in `config/environments/common/authentication.yml` determines which of the # authentication modules is mixed into this model. # # User avatars can come from people.json, or otherwise their {#gravatar}. # # Associations # ============ # # | | | # |:--------------------------|:---------------------------------------------------------------------------------| # | `memberships` | The {Membership Memberships} involving this user. | # | `member_projects` | The {Project Projects} this user is a member of. | # | `owned_projects` | The {Project Projects} this user is the owner of. | # | `watches` | The {Watch Watches} representing Bugs this User is watching. | # | `user_events` | The denormalized {UserEvent UserEvents} from Bugs this User is watching. | # | `emails` | The blame {Email Emails} that are associated with this User. | # | `notification_thresholds` | The {NotificationThreshold NotificationThresholds} this User has placed on Bugs. | # # Properties # ========== # # | | | # |:-----------|:--------------------------------| # | `username` | The LDAP username of this user. | # # Metadata # ======== # # | | | # |:-------------|:-----------------------| # | `first_name` | The user's first name. | # | `last_name` | The user's last name. | class User < ActiveRecord::Base # @private class_attribute :people_json has_many :assigned_bugs, class_name: 'Bug', foreign_key: 'assigned_user_id', dependent: :nullify, inverse_of: :assigned_user has_many :comments, dependent: :nullify, inverse_of: :user has_many :events, dependent: :nullify, inverse_of: :user has_many :memberships, dependent: :delete_all, inverse_of: :user has_many :member_projects, through: :memberships, source: :project has_many :owned_projects, class_name: 'Project', foreign_key: 'owner_id', dependent: :restrict_with_exception, inverse_of: :owner has_many :watches, dependent: :delete_all, inverse_of: :user has_many :user_events, dependent: :delete_all, inverse_of: :user has_many :emails, dependent: :delete_all, inverse_of: :user has_many :notification_thresholds, dependent: :delete_all, inverse_of: :user attr_readonly :username include HasMetadataColumn has_metadata_column( first_name: {length: {maximum: 100}, allow_nil: true}, last_name: {length: {maximum: 100}, allow_nil: true} ) validates :username, presence: true, length: {maximum: 50}, format: {with: /\A[a-z0-9_\-]+\z/}, uniqueness: true before_validation(on: :create) { |obj| obj.username = obj.username.downcase if obj.username } after_create :create_primary_email set_nil_if_blank :first_name, :last_name scope :prefix, ->(query) { where("LOWER(username) LIKE ?", query.downcase.gsub(/[^a-z0-9\-_]/, '') + '%') } include "#{Squash::Configuration.authentication.strategy}_authentication".camelize.constantize # @return [String] The user's full name, or as much of it as available, or the # `username`. def name return username unless first_name.present? || last_name.present? I18n.t('models.user.name', first_name: first_name, last_name: last_name).strip end # @return [String] The user's company email address. def email @email ||= (emails.loaded? ? emails.detect(&:primary).email : emails.primary.first.email) end # @return [String] The URL to the user's Gravatar. def gravatar "http://www.gravatar.com/avatar/#{Digest::MD5.hexdigest email}" end # Returns a symbol describing a user's role in relation to a model object; # used for strong attribute roles. # # @param [ActiveRecord::Base] object A model instance. # @return [Symbol, nil] The user's role, or `nil` if the user has no # permissions. Possible values are `:creator`, `:owner`, `:admin`, # `:member`, and `nil`. def role(object) object = object.environment.project if object.kind_of?(Bug) case object when Project return :owner if object.owner_id == id membership = memberships.where(project_id: object.id).first return nil unless membership return :admin if membership.admin? return :member when Comment return :creator if object.user_id == id return :owner if object.bug.environment.project.owner_id == id membership = memberships.where(project_id: object.bug.environment.project_id).first return :admin if membership.try!(:admin?) return nil else return nil end end # Returns whether or not a User is watching a {Bug}. # # @param [Bug] bug A Bug. # @return [Watch, false] Whether or not the User is watching that Bug. # @see Watch def watches?(bug) watches.where(bug_id: bug.id).first end # @private def to_param() username end def as_json(options=nil) options ||= {} options[:except] = Array.wrap(options[:except]) options[:except] << :id options[:except] << :updated_at options[:methods] = Array.wrap(options[:methods]) options[:methods] << :name options[:methods] << :email options[:methods] << :gravatar super options end # @private def to_json(options={}) options[:except] = Array.wrap(options[:except]) options[:except] << :id options[:except] << :updated_at options[:methods] = Array.wrap(options[:methods]) options[:methods] << :name options[:methods] << :email super options end end
SquareSquash/web/app/models/user.rb/0
{ "file_path": "SquareSquash/web/app/models/user.rb", "repo_id": "SquareSquash", "token_count": 2520 }
131
<%= @comment.user.name %> has commented on this bug: <%= @bug.class_name %> <% if @bug.special_file? %> in <%= @bug.file %> <% else %> in <%= @bug.file %>:<%= @bug.line %> <% end %> <%= @bug.message_template %> His/her comment was: <%= email_quote @comment.body %> More details at <%= project_environment_bug_url @bug.environment.project, @bug.environment, @bug, anchor: 'comments' %> Yours truly, Squash --- If you wish to stop receiving these emails, visit your account page: <%= account_url %>
SquareSquash/web/app/views/notification_mailer/comment.text.erb/0
{ "file_path": "SquareSquash/web/app/views/notification_mailer/comment.text.erb", "repo_id": "SquareSquash", "token_count": 208 }
132
// 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. $(document).ready(function() { new PageManager().setup(); }); function PageManager() { this.setup = function() { this.setupWatchedBugsTable(); this.setupAssignedBugsTable(); this.setupMyFeed(); this.setupFindAnyProject(); }; this.setupFindAnyProject = function() { new DynamicSearchField($('#find-project'), this.processAnyProjectSearchResults); this.processAnyProjectSearchResults(''); // pre-populate with most recent projects }; this.processAnyProjectSearchResults = function(query) { var self = this; $.ajax('<%= projects_url(format: 'json') %>?query=' + encodeURIComponent(query), { type: 'GET', success: function(results) { var resultList = $('#find-project-search-results'); resultList.find('li').remove(); $.each(results, function(_, project) { var li = $('<li/>').appendTo(resultList); var h5 = $('<h5/>').append($('<a/>').text(project.name).attr('href', project.url)).appendTo(li); if (project.role == null) { var btn = $("<button/>").text("Join").appendTo(h5); btn.click(function() { $.ajax(project.join_url, { type: 'POST', success: function() { self.processAnyProjectSearchResults(query); }, error: function() { new Flash('alert').text("Couldn’t join project."); } }); }); } var p = $('<p/>').appendTo(li); switch (project.role) { case 'owner': $('<strong/>').text('Owner').appendTo(p); break; case 'admin': $('<strong/>').text('Administrator').appendTo(p); break; case 'member': $('<strong/>').text('Project member').appendTo(p); break; default: p.text("Owned by "); $('<a/>').text(project.owner.name).attr('href', project.owner.url).appendTo(p); } p.append(' — created '); $('<time/>').attr('datetime', project.created_at).appendTo(p).liveUpdate(); }); }, error: function() { new Flash('alert').text("Error retrieving search results."); } }); }; this.setupWatchedBugsTable = function() { var table = new SortableTable($('#watched-bugs'), "<%= account_bugs_url(format: 'json', type: 'watched') %>", [ { key: 'project_and_environment', title: "Project", sortable: false, htmlGenerator: function(bug) { var span = $('<span/>').text(bug.environment.name); $('<br/>').prependTo(span); $('<strong/>').text(bug.project.name).prependTo(span); return span; } }, { key: 'class_message', title: "Message", sortable: false, htmlGenerator: function(bug) { var sp = $('<span/>').addClass('long-words').text(bug.message_template); $('<br/>').prependTo(sp); $('<tt/>').text(bug.class_name).prependTo(sp); return sp; } }, { title: "File", sortable: false, textGenerator: formatBugFile }, { key: 'occurrences', title: "Counts", sortable: false, htmlGenerator: function(bug) { var sp = $('<span/>'); sp.append(bug.occurrences_count); $('<i/>').addClass('fa fa-exclamation-circle').appendTo(sp); if (bug.comments_count > 0) { sp.append(' ' + bug.comments_count); $('<i/>').addClass('fa fa-comment').appendTo(sp); } return sp; } }, { key: 'latest', title: "Latest", sortable: false, htmlGenerator: function(bug) { return $('<time/>').attr('datetime', bug.latest_occurrence).liveUpdate(); } }, { key: 'user_name', title: "Assigned To", sortable: false, textGenerator: function(bug) { return bug.assigned_user ? bug.assigned_user.name : "no one"; } }, { key: 'unwatch', title: '', sortable: false, htmlGenerator: function(bug) { return $('<a/>').addClass('fa fa-star icon-large unwatch').attr('href', '#').click(function() { $.ajax(bug.watch_url, { type: 'POST', success: function() { table.refreshData(); }, error: function() { new Flash('alert').text("Couldn’t unwatch that bug."); table.refreshData(); }, dataType: 'text' }); return false; }); } } ], { sort_key: 'latest', scroll_with: 'id' } ).refreshData(); }; this.setupAssignedBugsTable = function() { new SortableTable($('#assigned-bugs'), "<%= account_bugs_url(format: 'json') %>", [ { key: 'project_and_environment', title: "Project", sortable: false, htmlGenerator: function(bug) { var span = $('<span/>').text(bug.environment.name); $('<br/>').prependTo(span); $('<strong/>').text(bug.project.name).prependTo(span); return span; } }, { key: 'class_message', title: "Message", sortable: false, htmlGenerator: function(bug) { var sp = $('<span/>').addClass('long-words').text(bug.message_template); $('<br/>').prependTo(sp); $('<tt/>').text(bug.class_name).prependTo(sp); return sp; } }, { title: "File", sortable: false, textGenerator: formatBugFile }, { key: 'occurrences', title: "Counts", sortable: false, htmlGenerator: function(bug) { var sp = $('<span/>'); sp.append(bug.occurrences_count); $('<i/>').addClass('fa fa-exclamation-circle').appendTo(sp); if (bug.comments_count > 0) { sp.append(' ' + bug.comments_count); $('<i/>').addClass('fa fa-comment').appendTo(sp); } return sp; } }, { key: 'latest', title: "Latest", sortable: false, htmlGenerator: function(bug) { return $('<time/>').attr('datetime', bug.latest_occurrence).liveUpdate(); } }, { key: 'status', title: "Status", sortable: false, textGenerator: function(bug) { switch (bug.status) { case 'open': case 'assigned': return "unresolved"; case 'fixed': return "fixed"; case 'fix_deployed': return "fix deployed"; } } } ], { sort_key: 'latest', scroll_with: 'id' } ).refreshData(); }; this.setupMyFeed = function() { new Feed("<%= account_events_url(format: 'json') %>", $('#events'), {bugHeader: true}); }; }
SquareSquash/web/app/views/projects/index.js.erb/0
{ "file_path": "SquareSquash/web/app/views/projects/index.js.erb", "repo_id": "SquareSquash", "token_count": 3955 }
133
--- background_runner: Multithread multithread: priority_threshold: 50 pool_size: 20 max_threads: 100 priority: CommentNotificationMailer: 80 DeployFixMarker: 70 DeployNotificationMailer: 80 JiraStatusWorker: 20 ObfuscationMapCreator: 60 ObfuscationMapWorker: 60 OccurrenceNotificationMailer: 80 OccurrencesWorker: 40 PagerDutyAcknowledger: 20 PagerDutyNotifier: 80 PagerDutyResolver: 20 ProjectRepoFetcher: 30 SourceMapCreator: 60 SourceMapWorker: 60 SymbolicationCreator: 60 SymbolicationWorker: 60 resque: development: "localhost:6379" production: "localhost:6379" test: "localhost:6379" pool: squash: 2 queue: CommentNotificationMailer: squash DeployFixMarker: squash DeployNotificationMailer: squash JiraStatusWorker: squash ObfuscationMapCreator: squash ObfuscationMapWorker: squash OccurrenceNotificationMailer: squash OccurrencesWorker: squash PagerDutyAcknowledger: squash PagerDutyNotifier: squash PagerDutyResolver: squash ProjectRepoFetcher: squash SourceMapCreator: squash SourceMapWorker: squash SymbolicationCreator: squash SymbolicationWorker: squash sidekiq: redis: url: "redis://localhost:6379" namespace: squash pidfile: ./tmp/pids/sidekiq.pid concurrency: 12 queues: - [emails, 3] - [git, 2] - [occurrences, 1] - [processing, 3] - [services, 2] worker_options: CommentNotificationMailer: queue: emails DeployFixMarker: queue: processing DeployNotificationMailer: queue: emails JiraStatusWorker: queue: services retry: false ObfuscationMapCreator: queue: processing ObfuscationMapWorker: queue: processing OccurrenceNotificationMailer: queue: emails OccurrencesWorker: queue: occurrences retry: false PagerDutyAcknowledger: queue: services PagerDutyNotifier: queue: services PagerDutyResolver: queue: services ProjectRepoFetcher: queue: git SourceMapCreator: queue: processing SourceMapWorker: queue: processing SymbolicationCreator: queue: processing SymbolicationWorker: queue: processing
SquareSquash/web/config/environments/common/concurrency.yml/0
{ "file_path": "SquareSquash/web/config/environments/common/concurrency.yml", "repo_id": "SquareSquash", "token_count": 899 }
134
--- authentication: password: obfuscated
SquareSquash/web/config/environments/test/jira.yml/0
{ "file_path": "SquareSquash/web/config/environments/test/jira.yml", "repo_id": "SquareSquash", "token_count": 12 }
135
# 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. # A myriad of JDBC fixes. class ActiveRecord::ConnectionAdapters::PostgreSQLAdapter # AR::JDBC overwrites CPK's patched sql_for_insert method; over-overwrite it. def sql_for_insert(sql, pk, id_value, sequence_name, binds) unless pk # Extract the table from the insert sql. Yuck. table_ref = extract_table_ref_from_insert_sql(sql) pk = primary_key(table_ref) if table_ref end # CPK #sql = "#{sql} RETURNING #{quote_column_name(pk)}" if pk sql = "#{sql} RETURNING #{quote_column_names(pk)}" if pk [sql, binds] end # JDBC connections seem to go away (in production only) after about an hour or # so. No idea why, but this fixes it. This also fixes broken connections after # a failover. [:columns, :begin_db_transaction, :commit_db_transaction, :rollback_db_transaction, :begin_isolated_db_transaction, :create_savepoint, :rollback_to_savepoint, :release_savepoint, :exec_query, :exec_insert, :exec_delete, :exec_update, :exec_query_raw, :_execute, :tables, :indexes, :primary_keys, :write_large_object, :update_lob_value].each do |meth| define_method :"#{meth}_with_retry" do |*args, &block| begin send :"#{meth}_without_retry", *args, &block rescue ActiveRecord::StatementInvalid, ActiveRecord::JDBCError => err if err.to_s =~ /This connection has been closed/ # If the connection was somehow pulled out from underneath us... reconnect! # reconnect... if @_retried_connection raise else @_retried_connection = true retry # ... and try again end elsif err.to_s =~ /Connection reset/ # if, because of that, we bork up any other threads using the same connection... # try again; the connection should be fine now if @_retried_connection raise else @_retried_connection = true retry end else raise end end end alias_method_chain meth, :retry end end if RUBY_PLATFORM == 'java'
SquareSquash/web/config/initializers/jdbc_fixes.rb/0
{ "file_path": "SquareSquash/web/config/initializers/jdbc_fixes.rb", "repo_id": "SquareSquash", "token_count": 1038 }
136
--- description: | Notify Squash of an exception or crash. Any parameters in the request JSON that are not `class_name`, `api_key` or `environment` are included as part of the resulting Occurrence record. See the Occurrence class documentation for details on the (many) fields you can pass. As an example, the required fields are documented below (though there is a bevvy of additional optional fields). responseCodes: - status: 403 successful: false description: Unknown API key. - status: 422 successful: false description: | * Invalid exception data; see Squash server log for details. * Missing required parameter. - status: 200 successful: true requestParameters: additionalProperties: true properties: environment: description: The name of the environment in which the error occurred. required: true type: string example: production api_key: description: You project's API key. required: true type: string example: fff57d88-e5ab-44e1-ac24-a2a1ab1ef86f class_name: description: The error object's class. required: true type: string example: ArgumentError message: description: The error message. required: true type: string example: Expected 4 arguments for myMethod, got 3. backtraces: description: | An array describing the backtraces of any active threads or fibers at the time of the exception. This array can take one of a number of formats; see the Occurrence class documentation for more information. required: true type: array example: ["Active Thread/Fiber", true, [["some/file.rb", 14, "some_method"], ["some/file.rb", 2, "main"]]] revision: description: | The SHA1 of the Git revision of the code that caused the exception. required: true type: string example: 2dc20c984283bede1f45863b8f3b4dd9b5b554cc occurred_at: description: | The time at which the exception was raised or the crash occurred. required: true type: string format: date-time example: 2012-09-19 21:46:24 -07:00
SquareSquash/web/doc/fdoc/notify-POST.fdoc/0
{ "file_path": "SquareSquash/web/doc/fdoc/notify-POST.fdoc", "repo_id": "SquareSquash", "token_count": 746 }
137
# 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 form, list, and associated help text for viewing, adding, and deleting email # aliases. Used by the `account/edit` and `project/membership/edit` views. class root.EmailAliasForm # Constructs a new email alias form. # # @param [jQuery element array] element The DOM element to construct the # form in. # @param [String] filterEndpoint The URL endpoint for filtering emails. # @param [String] createEndpoint The URL endpoint for adding new emails. constructor: (@element, @filterEndpoint, @createEndpoint) -> this.buildList() this.buildForm() this.processResults() # @private processResults: (query) -> query ||= @filter.val() $.ajax "#{@filterEndpoint}?query=#{encodeURIComponent query}", type: 'GET' success: (results) => @results.find('li').remove() for email in results do (email) => li = $('<li/>').text(email.email + ' ').appendTo(@results) if email.source then $('<span/>').addClass('aux').text("(#{email.source.name}) ").appendTo(li) button = $('<button/>').addClass('warning small').text("Remove").appendTo(li) button.click => button.attr 'disabled', 'disabled' $.ajax email.url, type: 'DELETE' complete: => this.processResults() error: -> new Flash('alert').text("Couldn’t remove that email address.") error: -> new Flash('alert').text("Error retrieving search results.") # @private buildList: -> @filter = $('<input/>').attr({type: 'search', placeholder: 'Find an email'}).appendTo(@element) @results = $('<ul/>').addClass('email-search-results').appendTo(@element) new DynamicSearchField @filter, (query) => @processResults(query) # @private buildForm: -> @form = $('<form/>'). attr({action: @createEndpoint, method: 'POST'}). addClass('labeled'). appendTo(@element) $('<label/>').attr('for', 'email[email]').text('Add another email address: ').appendTo(@form) group = $('<div/>').addClass('field-group').appendTo(@form) $('<input/>').attr({type: 'email', name: 'email[email]'}).appendTo group $('<input/>').attr({type: 'submit', value: "Add"}).addClass('default').appendTo group new SmartForm @form, (email) => @form.find('input[type!=submit]').val '' this.processResults()
SquareSquash/web/lib/assets/javascripts/email_alias_form.js.coffee/0
{ "file_path": "SquareSquash/web/lib/assets/javascripts/email_alias_form.js.coffee", "repo_id": "SquareSquash", "token_count": 1090 }
138
@import "vars"; @import "tables"; table.sortable { @include table; th { &.sortable:hover { cursor: pointer; } &.sorted { background-color: $gray5; } i { margin-left: 5px; float: right; } } }
SquareSquash/web/lib/assets/stylesheets/sortable_table.css.scss/0
{ "file_path": "SquareSquash/web/lib/assets/stylesheets/sortable_table.css.scss", "repo_id": "SquareSquash", "token_count": 104 }
139
# 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. # A simple proxy class that wraps a {Project}'s Git::Repository and ensures # calls to `#fetch` are done synchronously using {Project#repo}. In particular: # # * If a method _other_ than {#fetch} is called on this object, it is passed on # to the Project's repository object. # * If {#fetch} is called, it is delegated to `Project#repo(&:fetch)`. class RepoProxy # @return [Project] The associated project. attr_reader :project # @overload initialize(object, method, ...) # Creates a new repository proxy. # @param object An object associated in some way with a {Project}. # @param [Symbol] method The method to call that will return the Project. # Multiple method names can be passed to make a call chain. def initialize(object, *method_path) @method_path = method_path @project = object method_path.each { |m| @project = @project.send(m) } end # Calls `repo(&:fetch)` on the associated Project. def fetch project.repo(&:fetch) end # Delegates all other methods to {#project}. def method_missing(meth, *args, &block) project.repo.send meth, *args, &block end # @private def respond_to?(method) project.repo.respond_to?(method) || super end # @private def class() project.repo.class end end
SquareSquash/web/lib/repo_proxy.rb/0
{ "file_path": "SquareSquash/web/lib/repo_proxy.rb", "repo_id": "SquareSquash", "token_count": 602 }
140
# 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. # Worker that decodes an obfuscation map from parameters given to the API # controller, and creates the {ObfuscationMap} object. class ObfuscationMapCreator include BackgroundRunner::Job # Creates a new instance and creates the ObfuscationMap. # # @param [Hash] params Parameters passed to the API controller. def self.perform(params) new(params).perform end # Creates a new instance with the given parameters. # # @param [Hash] params Parameters passed to the API controller. def initialize(params) @params = params end # Decodes parameters and creates the ObfuscationMap. def perform map = YAML.load(Zlib::Inflate.inflate(Base64.decode64(@params['namespace'])), safe: true, deserialize_symbols: false) return unless map.kind_of?(Squash::Java::Namespace) project = Project.find_by_api_key(@params['api_key']) or raise(API::UnknownAPIKeyError) deploy = project. environments.with_name(@params['environment']).first!. deploys.find_by_build!(@params['build']) deploy.obfuscation_map.try! :destroy deploy.create_obfuscation_map!(namespace: map) end end
SquareSquash/web/lib/workers/obfuscation_map_creator.rb/0
{ "file_path": "SquareSquash/web/lib/workers/obfuscation_map_creator.rb", "repo_id": "SquareSquash", "token_count": 552 }
141
<!DOCTYPE html> <html> <head> <title>We're sorry, but something went wrong (500)</title> <style type="text/css"> body { background-color: #fff; color: #666; text-align: center; font-family: arial, sans-serif; } div.dialog { width: 25em; padding: 0 4em; margin: 4em auto 0 auto; border: 1px solid #ccc; border-right-color: #999; border-bottom-color: #999; } h1 { font-size: 100%; color: #f00; line-height: 1.5em; } </style> </head> <body> <!-- This file lives in public/500.html --> <div class="dialog"> <h1>We're sorry, but something went wrong.</h1> </div> </body> </html>
SquareSquash/web/public/500.html/0
{ "file_path": "SquareSquash/web/public/500.html", "repo_id": "SquareSquash", "token_count": 276 }
142
# 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 BugsController, type: :controller do describe "#index" do before :all do membership = FactoryGirl.create(:membership) @env = FactoryGirl.create(:environment, project: membership.project) @bugs = 10.times.map do |i| FactoryGirl.create :bug, environment: @env, message_template: 'bug is ' + (i.even? ? 'even' : 'odd'), irrelevant: (i % 10 == 3) # set some random field values to filter on end @user = membership.user # create an increasing number of occurrences per each bug # also creates a random first and latest occurrence @bugs.each_with_index do |bug, i| Bug.where(id: bug.id).update_all occurrences_count: i + 1, first_occurrence: Time.now - rand*86400, latest_occurrence: Time.now - rand*86400 end @bugs = @env.bugs(true).to_a # reload to get those fields set by triggers end before(:each) { stub_const 'BugsController::PER_PAGE', 5 } # speed it up def sort(bugs, field, reverse=false) bugs.sort_by! { |b| [b.send(field), b.number] } bugs.reverse! if reverse bugs end it "should require a logged-in user" do get :index, polymorphic_params(@env, true) expect(response).to redirect_to(login_url(next: request.fullpath)) end context '[authenticated]' do before(:each) { login_as @user } it_should_behave_like "action that 404s at appropriate times", :get, :index, 'polymorphic_params(@env, true)' context '[JSON]' do it "should load 50 of the most recently occurring bugs by default" do get :index, polymorphic_params(@env, true, format: 'json') expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(sort(@bugs, :latest_occurrence, true).map(&:number)[0, 5]) get :index, polymorphic_params(@env, true, dir: 'asc', format: 'json') expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(sort(@bugs, :latest_occurrence).map(&:number)[0, 5]) end it "should also sort by first occurrence" do get :index, polymorphic_params(@env, true, sort: 'first', format: 'json') expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(sort(@bugs, :first_occurrence).map(&:number)[0, 5]) get :index, polymorphic_params(@env, true, sort: 'first', dir: 'desc', format: 'json') expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(sort(@bugs, :first_occurrence, true).map(&:number)[0, 5]) end it "should also sort by occurrence count" do get :index, polymorphic_params(@env, true, sort: 'occurrences', format: 'json') expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(sort(@bugs, :occurrences_count, true).map(&:number)[0, 5]) get :index, polymorphic_params(@env, true, sort: 'occurrences', dir: 'asc', format: 'json') expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(sort(@bugs, :occurrences_count).map(&:number)[0, 5]) end it "should return the next 50 bugs when given a last parameter" do sort @bugs, :latest_occurrence, true get :index, polymorphic_params(@env, true, last: @bugs[4].number, format: 'json') expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(@bugs.map(&:number)[5, 5]) end it "should decorate the bug JSON" do get :index, polymorphic_params(@env, true, format: 'json') JSON.parse(response.body).each { |bug| expect(bug['href']).to eql(project_environment_bug_url(@env.project, @env, bug['number'])) } end it "should filter by bug attributes" do get :index, polymorphic_params(@env, true, format: 'json', filter: {irrelevant: 'true'}) expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(sort(@bugs, :latest_occurrence, true).select(&:irrelevant).map(&:number)[0, 5]) end it "should treat deploy_id=nil as any deploy_id value" do deployed = FactoryGirl.create(:bug, environment: @env, deploy: FactoryGirl.create(:deploy, environment: @env)) undeployed = FactoryGirl.create(:bug, environment: @env, deploy: nil) get :index, polymorphic_params(@env, true, format: 'json', filter: {deploy_id: nil}) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(deployed.number) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(undeployed.number) end it "should treat crashed=nil as any crashed value" do crashed = FactoryGirl.create(:bug, environment: @env, any_occurrence_crashed: true) uncrashed = FactoryGirl.create(:bug, environment: @env, any_occurrence_crashed: false) get :index, polymorphic_params(@env, true, format: 'json', filter: {any_occurrence_crashed: nil}) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(crashed.number) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(uncrashed.number) get :index, polymorphic_params(@env, true, format: 'json', filter: {any_occurrence_crashed: true}) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(crashed.number) expect(JSON.parse(response.body).map { |r| r['number'] }).not_to include(uncrashed.number) get :index, polymorphic_params(@env, true, format: 'json', filter: {any_occurrence_crashed: false}) expect(JSON.parse(response.body).map { |r| r['number'] }).not_to include(crashed.number) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(uncrashed.number) end it "should treat assigned_user_id=anybody as all exceptions" do assigned = FactoryGirl.create(:bug, environment: @env, assigned_user: @user) unassigned = FactoryGirl.create(:bug, environment: @env, assigned_user: nil) get :index, polymorphic_params(@env, true, format: 'json', filter: {assigned_user_id: 'anybody'}) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(assigned.number) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(unassigned.number) end it "should treat assigned_user_id=nobody as all unassigned bugs" do assigned = FactoryGirl.create(:bug, environment: @env, assigned_user: @user) unassigned = FactoryGirl.create(:bug, environment: @env, assigned_user: nil) get :index, polymorphic_params(@env, true, format: 'json', filter: {assigned_user_id: 'nobody'}) expect(JSON.parse(response.body).map { |r| r['number'] }).not_to include(assigned.number) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(unassigned.number) end it "should treat assigned_user_id=somebody as any assigned user" do assigned = FactoryGirl.create(:bug, environment: @env, assigned_user: @user) unassigned = FactoryGirl.create(:bug, environment: @env, assigned_user: nil) get :index, polymorphic_params(@env, true, format: 'json', filter: {assigned_user_id: 'somebody'}) expect(JSON.parse(response.body).map { |r| r['number'] }).to include(assigned.number) expect(JSON.parse(response.body).map { |r| r['number'] }).not_to include(unassigned.number) end it "should filter by search query" do get :index, polymorphic_params(@env, true, format: 'json', filter: {search: 'even'}) expect(JSON.parse(response.body).map { |r| r['number'] }).to eql(sort(@bugs, :latest_occurrence, true).select { |b| b.message_template.include?('even') }.map(&:number)[0, 5]) end it "should gracefully handle an invalid search query" do get :index, polymorphic_params(@env, true, format: 'json', filter: {search: 'A:Toaster'}) expect(response.status).to eql(422) end end end end describe "#show" do before(:each) do Project.where(repository_url: 'https://github.com/RISCfuture/better_caller.git').delete_all @project = FactoryGirl.create(:project, repository_url: 'https://github.com/RISCfuture/better_caller.git') @bug = FactoryGirl.create(:bug, environment: FactoryGirl.create(:environment, project: @project)) FactoryGirl.create :rails_occurrence, bug: @bug repo = double('Git::Repo') end it "should require a logged-in user" do get :show, polymorphic_params(@bug, false) expect(response).to redirect_to(login_url(next: request.fullpath)) end context '[authenticated]' do before(:each) { login_as @bug.environment.project.owner } it_should_behave_like "action that 404s at appropriate times", :get, :show, 'polymorphic_params(@bug, false)' it "should set duplicate_of_number" do dupe = FactoryGirl.create(:bug, environment: @bug.environment) @bug.update_attribute :duplicate_of, dupe get :show, polymorphic_params(@bug, false) expect(assigns(:bug).duplicate_of_number).to eql(dupe.number) end end end describe "#update" do before(:each) { @bug = FactoryGirl.create(:bug) } it "should require a logged-in user" do patch :update, polymorphic_params(@bug, false, bug: {fixed: 'true'}) expect(response).to redirect_to(login_url(next: request.fullpath)) expect(@bug.reload).not_to be_fixed end context '[authenticated]' do before(:each) { login_as @bug.environment.project.owner } it_should_behave_like "action that 404s at appropriate times", :patch, :update, 'polymorphic_params(@bug, false, bug: { fixed: true })' it_should_behave_like "singleton action that 404s at appropriate times", :patch, :update, 'polymorphic_params(@bug, false, bug: { fixed: true })' it "should update the bug" do patch :update, polymorphic_params(@bug, false, bug: {fixed: 'true'}, format: 'json') expect(@bug.reload).to be_fixed expect(response.body).to eql(@bug.to_json) end it "should set the bug modifier" do patch :update, polymorphic_params(@bug, false, bug: {fixed: 'true'}, format: 'json') expect(assigns(:bug).modifier).to eql(@bug.environment.project.owner) end it "should add a comment if in the params" do patch :update, polymorphic_params(@bug, false, bug: {fixed: 'true'}, comment: {body: 'hai!'}, format: 'json') expect(@bug.reload).to be_fixed expect(@bug.comments.count).to eql(1) expect(@bug.comments.first.body).to eql('hai!') expect(@bug.comments.first.user_id).to eql(@bug.environment.project.owner_id) end it "should not add a blank comment" do patch :update, polymorphic_params(@bug, false, bug: {fixed: 'true'}, comment: {body: ' '}, format: 'json') expect(@bug.reload).to be_fixed expect(@bug.comments.count).to eql(0) end it "should limit owners to only updating owner-accessible fields" it "should limit admins to only updating admin-accessible fields" it "should limit members to only updating member-accessible fields" it "should set duplicate_of_id from duplicate_of_number" do other = FactoryGirl.create(:bug, environment: @bug.environment) patch :update, polymorphic_params(@bug, false, bug: {fixed: 'true', duplicate_of_number: other.number}, format: 'json') expect(@bug.reload.duplicate_of_id).to eql(other.id) expect(@bug).to be_fixed end it "should copy errors of duplicate_of_id to duplicate_of_number" do FactoryGirl.create :bug, environment: @bug.environment, duplicate_of: @bug other = FactoryGirl.create(:bug, environment: @bug.environment) patch :update, polymorphic_params(@bug, false, bug: {fixed: 'true', duplicate_of_number: other.number}, format: 'json') expect(response.status).to eql(422) expect(JSON.parse(response.body)['bug']['duplicate_of_number']).to eql(['cannot be marked as duplicate because other bugs have been marked as duplicates of this bug']) end it "should add an error and not save the record if the duplicate-of number does not exist" do patch :update, polymorphic_params(@bug, false, bug: {fixed: 'true', duplicate_of_number: 0}, format: 'json') expect(response.status).to eql(422) expect(JSON.parse(response.body)['bug']['duplicate_of_number']).to eql(['unknown bug number']) end it "... unless no duplicate-of number was entered" do patch :update, polymorphic_params(@bug, false, bug: {fixed: 'true', duplicate_of_number: ' '}, format: 'json') expect(response.status).to eql(200) end it "should allow the JIRA status to be nullified" do @bug.update_attribute :jira_status_id, 6 patch :update, polymorphic_params(@bug, false, bug: {jira_status_id: ''}, format: 'json') expect(response.status).to eql(200) expect(@bug.reload.jira_status_id).to be_nil end end end describe "#destroy" do before(:each) { @bug = FactoryGirl.create(:bug) } it "should require a logged-in user" do delete :destroy, polymorphic_params(@bug, false) expect(response).to redirect_to(login_url(next: request.fullpath)) expect { @bug.reload }.not_to raise_error end context '[authenticated]' do before(:each) { login_as @bug.environment.project.owner } it_should_behave_like "action that 404s at appropriate times", :delete, :destroy, 'polymorphic_params(@bug, false)' it_should_behave_like "singleton action that 404s at appropriate times", :delete, :destroy, 'polymorphic_params(@bug, false)' it "should destroy the bug" do delete :destroy, polymorphic_params(@bug, false) expect { @bug.reload }.to raise_error(ActiveRecord::RecordNotFound) end it "should redirect with a notice" do delete :destroy, polymorphic_params(@bug, false) expect(response).to redirect_to(project_environment_bugs_url(@bug.environment.project, @bug.environment)) expect(flash[:success]).to include('was deleted') end end end describe "#watch" do before(:each) { @bug = FactoryGirl.create(:bug) } it "should require a logged-in user" do post :watch, polymorphic_params(@bug, false, format: 'json') expect(response.status).to eql(401) end context '[authenticated]' do before(:each) { login_as(@user = @bug.environment.project.owner) } it_should_behave_like "action that 404s at appropriate times", :post, :watch, 'polymorphic_params(@bug, false, format: "json")' it_should_behave_like "singleton action that 404s at appropriate times", :post, :watch, 'polymorphic_params(@bug, false, format: "json")' it "should watch an unwatched bug" do post :watch, polymorphic_params(@bug, false, format: 'json') expect(@user.watches.where(bug_id: @bug.id)).not_to be_empty end it "should unwatch a watched bug" do FactoryGirl.create :watch, user: @user, bug: @bug post :watch, polymorphic_params(@bug, false, format: 'json') expect(@user.watches.where(bug_id: @bug.id)).to be_empty end end end describe "#notify_deploy" do before(:each) { @bug = FactoryGirl.create(:bug) } it "should require a logged-in user" do post :notify_deploy, polymorphic_params(@bug, false, format: 'json') expect(response.status).to eql(401) expect { @bug.reload }.not_to change(@bug, :notify_on_deploy) end context '[authenticated]' do before(:each) { login_as(@user = @bug.environment.project.owner) } it_should_behave_like "action that 404s at appropriate times", :post, :notify_deploy, 'polymorphic_params(@bug, false, format: "json")' it_should_behave_like "singleton action that 404s at appropriate times", :post, :notify_deploy, 'polymorphic_params(@bug, false, format: "json")' it "should add the current user to the deploy notifications list" do post :notify_deploy, polymorphic_params(@bug, false, format: 'json') expect(@bug.reload.notify_on_deploy).to include(@user.id) end it "should remove the current user from the deploy notifications list" do @bug.update_attribute :notify_on_deploy, [@user.id] post :notify_deploy, polymorphic_params(@bug, false, format: 'json') expect(@bug.reload.notify_on_deploy).not_to include(@user.id) end end end describe "#notify_occurrence" do before(:each) { @bug = FactoryGirl.create(:bug) } it "should require a logged-in user" do post :notify_occurrence, polymorphic_params(@bug, false, format: 'json') expect(response.status).to eql(401) expect { @bug.reload }.not_to change(@bug, :notify_on_occurrence) end context '[authenticated]' do before(:each) { login_as(@user = @bug.environment.project.owner) } it_should_behave_like "action that 404s at appropriate times", :post, :notify_occurrence, 'polymorphic_params(@bug, false, format: "json")' it_should_behave_like "singleton action that 404s at appropriate times", :post, :notify_occurrence, 'polymorphic_params(@bug, false, format: "json")' it "should add the current user to the occurrence notifications list" do post :notify_occurrence, polymorphic_params(@bug, false, format: 'json') expect(@bug.reload.notify_on_occurrence).to include(@user.id) end it "should remove the current user from the occurrence notifications list" do @bug.update_attribute :notify_on_occurrence, [@user.id] post :notify_occurrence, polymorphic_params(@bug, false, format: 'json') expect(@bug.reload.notify_on_occurrence).not_to include(@user.id) end end end end
SquareSquash/web/spec/controllers/bugs_controller_spec.rb/0
{ "file_path": "SquareSquash/web/spec/controllers/bugs_controller_spec.rb", "repo_id": "SquareSquash", "token_count": 7535 }
143
# encoding: utf-8 # Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. require 'rails_helper' RSpec.describe UsersController, type: :controller do describe "#index" do before :all do [Project, User].each &:destroy_all @users = 20.times.map { |i| FactoryGirl.create :user, username: "filter-#{i}" } end it "should require a logged-in user" do get :index, format: 'json' expect(response.status).to eql(401) expect(response.body).to be_blank end context '[authenticated]' do before(:each) { login_as @users.first } # log in as any user it "should return an empty array given no query" do get :index, format: 'json' expect(response.status).to eql(200) expect(response.body).to eql('[]') end it "should load the first 10 filtered users sorted by username" do get :index, query: 'filter', format: 'json' expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['username'] }).to eql(@users.map(&:username).sort[0, 10]) end it "should include membership information when given a project ID" do project = FactoryGirl.create(:project) @users.sort_by(&:username).each_with_index { |user, i| FactoryGirl.create(:membership, project: project, user: user) if i < 5 } get :index, query: 'filter', format: 'json', project_id: project.to_param expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['is_member'] }).to eql([true]*5 + [false]*5) end it "should load the next 10 filtered users when given a last parameter" do @users.sort_by! &:username get :index, query: 'filter', last: @users[9].username, format: 'json' expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |r| r['username'] }).to eql(@users.map(&:username).sort[10, 10]) end end end describe "#create" do before :each do User.where(username: 'newguy').delete_all @attrs = { 'username' => 'newguy', 'password' => 'newguy123', 'password_confirmation' => 'newguy123', 'first_name' => 'New', 'last_name' => 'Guy', 'email_address' => 'new@guy.example.com' } end if Squash::Configuration.authentication.registration_enabled? it "should create the new user" do post :create, user: @attrs expect(User.where(username: 'newguy').exists?).to eql(true) expect(response).to redirect_to(root_url) end it "should log the new user in" do post :create, user: @attrs user = User.find_by_username!('newguy') expect(session[:user_id]).to eql(user.id) end it "should redirect to the :next parameter" do post :create, user: @attrs, next: account_url expect(response).to redirect_to(account_url) end it "should render the login page for invalid attributes" do post :create, user: @attrs.merge('password_confirmation' => 'whoops'), next: account_url expect(response).to render_template('sessions/new') expect(assigns(:user).errors[:password_confirmation]).to eql(['doesn’t match']) end else it "should not be possible to create a new user" do post :create, user: @attrs expect(User.where(username: 'newguy').exists?).to eql(false) expect(response).to redirect_to(login_url) end end end if Squash::Configuration.authentication.strategy == 'password' end
SquareSquash/web/spec/controllers/users_controller_spec.rb/0
{ "file_path": "SquareSquash/web/spec/controllers/users_controller_spec.rb", "repo_id": "SquareSquash", "token_count": 1671 }
144
# 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 "ActiveRecord::Base.find_in_batches" do context "[single surrogate key]" do before :all do Project.delete_all; User.delete_all @users = FactoryGirl.create_list(:user, 48).in_groups_of(10, false) end before(:each) { @batches = [] } it "should yield all records for lists < batch size" do User.find_in_batches(batch_size: 100) { |batch| @batches << batch } expect(@batches.size).to eql(1) expect(@batches.first.map(&:id)).to eql(@users.flatten.map(&:id)) end it "should yield all records for lists = batch size" do User.find_in_batches(batch_size: 48) { |batch| @batches << batch } expect(@batches.size).to eql(1) expect(@batches.first.map(&:id)).to eql(@users.flatten.map(&:id)) end it "should yield groups of records for lists > batch size" do User.find_in_batches(batch_size: 10) { |batch| @batches << batch } expect(@batches.size).to eql(5) @batches.zip(@users).each do |(batch, users)| expect(batch.map(&:id)).to eql(users.map(&:id)) end end it "should allow a custom start" do User.find_in_batches(batch_size: 10, start: @users.flatten[21].id) { |batch| @batches << batch } expect(@batches.size).to eql(3) @batches.zip(@users.flatten[21..-1].in_groups_of(10, false)).each do |(batch, users)| expect(batch.map(&:id)).to eql(users.map(&:id)) end end end context "[composite primary keys]" do before :all do Membership.delete_all project = FactoryGirl.create(:project) FactoryGirl.create_list(:membership, 47, project: project) @memberships = Membership.order(Membership.all.send(:batch_order)).in_groups_of(10, false) # get project owner membership end before(:each) { @batches = [] } it "should yield all records for lists < batch size" do Membership.find_in_batches(batch_size: 100) { |batch| @batches << batch } expect(@batches.size).to eql(1) expect(@batches.first.map { |m| [m.user_id, m.project_id] }).to eql(@memberships.flatten.map { |m| [m.user_id, m.project_id] }) end it "should yield all records for lists = batch size" do Membership.find_in_batches(batch_size: 48) { |batch| @batches << batch } expect(@batches.size).to eql(1) expect(@batches.first.map { |m| [m.user_id, m.project_id] }).to eql(@memberships.flatten.map { |m| [m.user_id, m.project_id] }) end it "should yield groups of records for lists > batch size" do Membership.find_in_batches(batch_size: 10) { |batch| @batches << batch } expect(@batches.size).to eql(5) @batches.zip(@memberships).each do |(batch, memberships)| expect(batch.map { |m| [m.user_id, m.project_id] }).to eql(memberships.map { |m| [m.user_id, m.project_id] }) end end it "should allow a custom start" do start = @memberships.flatten[21].attributes.slice('user_id', 'project_id').values Membership.find_in_batches(batch_size: 10, start: start) { |batch| @batches << batch } expect(@batches.size).to eql(3) @batches.zip(@memberships.flatten[21..-1].in_groups_of(10, false)).each do |(batch, memberships)| expect(batch.map { |m| [m.user_id, m.project_id] }).to eql(memberships.map { |m| [m.user_id, m.project_id] }) end end end end
SquareSquash/web/spec/lib/find_in_batches_spec.rb/0
{ "file_path": "SquareSquash/web/spec/lib/find_in_batches_spec.rb", "repo_id": "SquareSquash", "token_count": 1586 }
145
# 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 Environment, type: :model do context "[triggers]" do before(:all) { @env = FactoryGirl.create(:environment) } before(:each) { Bug.delete_all } it "should increment the cached counter when a new bug is added" do FactoryGirl.create :bug, environment: @env expect(@env.reload.bugs_count).to eql(1) end it "should not increment the cached counter when a new closed bug is added" do FactoryGirl.create :bug, environment: @env, fixed: true expect(@env.reload.bugs_count).to eql(0) FactoryGirl.create :bug, environment: @env, irrelevant: true expect(@env.reload.bugs_count).to eql(0) end it "should decrement the cached counter when an open bug is deleted" do bug = FactoryGirl.create(:bug, environment: @env) bug.destroy expect(@env.reload.bugs_count).to eql(0) end it "should not decrement the cached counter when a closed bug is deleted" do FactoryGirl.create_list :bug, 2, environment: @env bug = FactoryGirl.create(:bug, environment: @env, fixed: true) bug.destroy expect(@env.reload.bugs_count).to eql(2) bug = FactoryGirl.create(:bug, environment: @env, irrelevant: true) bug.destroy expect(@env.reload.bugs_count).to eql(2) end it "should increment the cached counter when a bug is opened" do bug1 = FactoryGirl.create(:bug, environment: @env, fixed: true) bug2 = FactoryGirl.create(:bug, environment: @env, irrelevant: true) expect(@env.reload.bugs_count).to eql(0) bug1.update_attribute :fixed, false expect(@env.reload.bugs_count).to eql(1) bug2.update_attribute :irrelevant, false expect(@env.reload.bugs_count).to eql(2) end it "should decrement the cached counter when a bug is closed" do bug1 = FactoryGirl.create(:bug, environment: @env) bug2 = FactoryGirl.create(:bug, environment: @env) expect(@env.reload.bugs_count).to eql(2) bug1.update_attribute :fixed, true expect(@env.reload.bugs_count).to eql(1) bug2.update_attribute :irrelevant, true expect(@env.reload.bugs_count).to eql(0) end end end
SquareSquash/web/spec/models/environment_spec.rb/0
{ "file_path": "SquareSquash/web/spec/models/environment_spec.rb", "repo_id": "SquareSquash", "token_count": 1035 }
146
# 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. RSpec.shared_examples_for "action that 404s at appropriate times" do |method, action, params='{}'| it "should only allow projects that exist" do send method, action, eval(params).merge(project_id: 'not-found') expect(response.status).to eql(404) end it "should only allow environments that actually exist within the project" do send method, action, eval(params).merge(environment_id: 'not-found') expect(response.status).to eql(404) end end RSpec.shared_examples_for "singleton action that 404s at appropriate times" do |method, action, params='{}'| it "should only find bugs within the current environment" do send method, action, eval(params).merge(id: 'not-found') expect(response.status).to eql(404) end end
SquareSquash/web/spec/support/controller_404_examples.rb/0
{ "file_path": "SquareSquash/web/spec/support/controller_404_examples.rb", "repo_id": "SquareSquash", "token_count": 418 }
147
/* Flot plugin for plotting images. Copyright (c) 2007-2012 IOLA and Ole Laursen. Licensed under the MIT license. The data syntax is [ [ image, x1, y1, x2, y2 ], ... ] where (x1, y1) and (x2, y2) are where you intend the two opposite corners of the image to end up in the plot. Image must be a fully loaded Javascript image (you can make one with new Image()). If the image is not complete, it's skipped when plotting. There are two helpers included for retrieving images. The easiest work the way that you put in URLs instead of images in the data, like this: [ "myimage.png", 0, 0, 10, 10 ] Then call $.plot.image.loadData( data, options, callback ) where data and options are the same as you pass in to $.plot. This loads the images, replaces the URLs in the data with the corresponding images and calls "callback" when all images are loaded (or failed loading). In the callback, you can then call $.plot with the data set. See the included example. A more low-level helper, $.plot.image.load(urls, callback) is also included. Given a list of URLs, it calls callback with an object mapping from URL to Image object when all images are loaded or have failed loading. The plugin supports these options: series: { images: { show: boolean anchor: "corner" or "center" alpha: [ 0, 1 ] } } They can be specified for a specific series: $.plot( $("#placeholder"), [{ data: [ ... ], images: { ... } ]) Note that because the data format is different from usual data points, you can't use images with anything else in a specific data series. Setting "anchor" to "center" causes the pixels in the image to be anchored at the corner pixel centers inside of at the pixel corners, effectively letting half a pixel stick out to each side in the plot. A possible future direction could be support for tiling for large images (like Google Maps). */ (function ($) { var options = { series: { images: { show: false, alpha: 1, anchor: "corner" // or "center" } } }; $.plot.image = {}; $.plot.image.loadDataImages = function (series, options, callback) { var urls = [], points = []; var defaultShow = options.series.images.show; $.each(series, function (i, s) { if (!(defaultShow || s.images.show)) return; if (s.data) s = s.data; $.each(s, function (i, p) { if (typeof p[0] == "string") { urls.push(p[0]); points.push(p); } }); }); $.plot.image.load(urls, function (loadedImages) { $.each(points, function (i, p) { var url = p[0]; if (loadedImages[url]) p[0] = loadedImages[url]; }); callback(); }); } $.plot.image.load = function (urls, callback) { var missing = urls.length, loaded = {}; if (missing == 0) callback({}); $.each(urls, function (i, url) { var handler = function () { --missing; loaded[url] = this; if (missing == 0) callback(loaded); }; $('<img />').load(handler).error(handler).attr('src', url); }); }; function drawSeries(plot, ctx, series) { var plotOffset = plot.getPlotOffset(); if (!series.images || !series.images.show) return; var points = series.datapoints.points, ps = series.datapoints.pointsize; for (var i = 0; i < points.length; i += ps) { var img = points[i], x1 = points[i + 1], y1 = points[i + 2], x2 = points[i + 3], y2 = points[i + 4], xaxis = series.xaxis, yaxis = series.yaxis, tmp; // actually we should check img.complete, but it // appears to be a somewhat unreliable indicator in // IE6 (false even after load event) if (!img || img.width <= 0 || img.height <= 0) continue; if (x1 > x2) { tmp = x2; x2 = x1; x1 = tmp; } if (y1 > y2) { tmp = y2; y2 = y1; y1 = tmp; } // if the anchor is at the center of the pixel, expand the // image by 1/2 pixel in each direction if (series.images.anchor == "center") { tmp = 0.5 * (x2-x1) / (img.width - 1); x1 -= tmp; x2 += tmp; tmp = 0.5 * (y2-y1) / (img.height - 1); y1 -= tmp; y2 += tmp; } // clip if (x1 == x2 || y1 == y2 || x1 >= xaxis.max || x2 <= xaxis.min || y1 >= yaxis.max || y2 <= yaxis.min) continue; var sx1 = 0, sy1 = 0, sx2 = img.width, sy2 = img.height; if (x1 < xaxis.min) { sx1 += (sx2 - sx1) * (xaxis.min - x1) / (x2 - x1); x1 = xaxis.min; } if (x2 > xaxis.max) { sx2 += (sx2 - sx1) * (xaxis.max - x2) / (x2 - x1); x2 = xaxis.max; } if (y1 < yaxis.min) { sy2 += (sy1 - sy2) * (yaxis.min - y1) / (y2 - y1); y1 = yaxis.min; } if (y2 > yaxis.max) { sy1 += (sy1 - sy2) * (yaxis.max - y2) / (y2 - y1); y2 = yaxis.max; } x1 = xaxis.p2c(x1); x2 = xaxis.p2c(x2); y1 = yaxis.p2c(y1); y2 = yaxis.p2c(y2); // the transformation may have swapped us if (x1 > x2) { tmp = x2; x2 = x1; x1 = tmp; } if (y1 > y2) { tmp = y2; y2 = y1; y1 = tmp; } tmp = ctx.globalAlpha; ctx.globalAlpha *= series.images.alpha; ctx.drawImage(img, sx1, sy1, sx2 - sx1, sy2 - sy1, x1 + plotOffset.left, y1 + plotOffset.top, x2 - x1, y2 - y1); ctx.globalAlpha = tmp; } } function processRawData(plot, series, data, datapoints) { if (!series.images.show) return; // format is Image, x1, y1, x2, y2 (opposite corners) datapoints.format = [ { required: true }, { x: true, number: true, required: true }, { y: true, number: true, required: true }, { x: true, number: true, required: true }, { y: true, number: true, required: true } ]; } function init(plot) { plot.hooks.processRawData.push(processRawData); plot.hooks.drawSeries.push(drawSeries); } $.plot.plugins.push({ init: init, options: options, name: 'image', version: '1.1' }); })(jQuery);
SquareSquash/web/vendor/assets/javascripts/flot/image.js/0
{ "file_path": "SquareSquash/web/vendor/assets/javascripts/flot/image.js", "repo_id": "SquareSquash", "token_count": 3874 }
148
/** * 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 = 'abstract as async await base bool break byte case catch char checked class const ' + 'continue decimal default delegate do double else enum event explicit volatile ' + 'extern false finally fixed float for foreach get goto if implicit in int ' + 'interface internal is lock long namespace new null object operator out ' + 'override params private protected public readonly ref return sbyte sealed set ' + 'short sizeof stackalloc static string struct switch this throw true try ' + 'typeof uint ulong unchecked unsafe ushort using virtual void while var ' + 'from group by into select let where orderby join on equals ascending descending'; function fixComments(match, regexInfo) { var css = (match[0].indexOf("///") == 0) ? 'color1' : 'comments' ; return [new SyntaxHighlighter.Match(match[0], match.index, css)]; } this.regexList = [ { regex: SyntaxHighlighter.regexLib.singleLineCComments, func : fixComments }, // one line comments { regex: SyntaxHighlighter.regexLib.multiLineCComments, css: 'comments' }, // multiline comments { regex: /@"(?:[^"]|"")*"/g, css: 'string' }, // @-quoted strings { regex: SyntaxHighlighter.regexLib.doubleQuotedString, css: 'string' }, // strings { regex: SyntaxHighlighter.regexLib.singleQuotedString, css: 'string' }, // strings { regex: /^\s*#.*/gm, css: 'preprocessor' }, // preprocessor tags like #region and #endregion { regex: new RegExp(this.getKeywords(keywords), 'gm'), css: 'keyword' }, // c# keyword { regex: /\bpartial(?=\s+(?:class|interface|struct)\b)/g, css: 'keyword' }, // contextual keyword: 'partial' { regex: /\byield(?=\s+(?:return|break)\b)/g, css: 'keyword' } // contextual keyword: 'yield' ]; this.forHtmlScript(SyntaxHighlighter.regexLib.aspScriptTags); }; Brush.prototype = new SyntaxHighlighter.Highlighter(); Brush.aliases = ['c#', 'c-sharp', 'csharp']; SyntaxHighlighter.brushes.CSharp = Brush; // CommonJS typeof(exports) != 'undefined' ? exports.Brush = Brush : null; })();
SquareSquash/web/vendor/assets/javascripts/sh/shBrushCSharp.js/0
{ "file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushCSharp.js", "repo_id": "SquareSquash", "token_count": 981 }
149
/** * 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() { }; Brush.prototype = new SyntaxHighlighter.Highlighter(); Brush.aliases = ['text', 'plain']; SyntaxHighlighter.brushes.Plain = Brush; // CommonJS typeof(exports) != 'undefined' ? exports.Brush = Brush : null; })();
SquareSquash/web/vendor/assets/javascripts/sh/shBrushPlain.js/0
{ "file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushPlain.js", "repo_id": "SquareSquash", "token_count": 279 }
150
/*! * Bootstrap v2.2.1 * * Copyright 2012 Twitter, Inc * Licensed under the Apache License v2.0 * http://www.apache.org/licenses/LICENSE-2.0 * * Designed and built with all the love in the world @twitter by @mdo and @fat. */ .clearfix { *zoom: 1; } .clearfix:before, .clearfix:after { display: table; content: ""; line-height: 0; } .clearfix:after { clear: both; } .hide-text { font: 0/0 a; color: transparent; text-shadow: none; background-color: transparent; border: 0; } .input-block-level { display: block; width: 100%; min-height: 30px; -webkit-box-sizing: border-box; -moz-box-sizing: border-box; box-sizing: border-box; } .tooltip { position: absolute; z-index: 1030; display: block; visibility: visible; padding: 5px; font-size: 11px; opacity: 0; filter: alpha(opacity=0); } .tooltip.in { opacity: 0.8; filter: alpha(opacity=80); } .tooltip.top { margin-top: -3px; } .tooltip.right { margin-left: 3px; } .tooltip.bottom { margin-top: 3px; } .tooltip.left { margin-left: -3px; } .tooltip-inner { max-width: 200px; padding: 3px 8px; color: #ffffff; text-align: center; text-decoration: none; background-color: #000000; -webkit-border-radius: 4px; -moz-border-radius: 4px; border-radius: 4px; } .tooltip-arrow { position: absolute; width: 0; height: 0; border-color: transparent; border-style: solid; } .tooltip.top .tooltip-arrow { bottom: 0; left: 50%; margin-left: -5px; border-width: 5px 5px 0; border-top-color: #000000; } .tooltip.right .tooltip-arrow { top: 50%; left: 0; margin-top: -5px; border-width: 5px 5px 5px 0; border-right-color: #000000; } .tooltip.left .tooltip-arrow { top: 50%; right: 0; margin-top: -5px; border-width: 5px 0 5px 5px; border-left-color: #000000; } .tooltip.bottom .tooltip-arrow { top: 0; left: 50%; margin-left: -5px; border-width: 0 5px 5px; border-bottom-color: #000000; }
SquareSquash/web/vendor/assets/stylesheets/bootstrap.css/0
{ "file_path": "SquareSquash/web/vendor/assets/stylesheets/bootstrap.css", "repo_id": "SquareSquash", "token_count": 808 }
151
/** * 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:#0f192a !important;} .syntaxhighlighter .line.alt1{background-color:#0f192a !important;} .syntaxhighlighter .line.alt2{background-color:#0f192a !important;} .syntaxhighlighter .line.highlighted.alt1,.syntaxhighlighter .line.highlighted.alt2{background-color:#253e5a !important;} .syntaxhighlighter .line.highlighted.number{color:#38566f !important;} .syntaxhighlighter table caption{color:#d1edff !important;} .syntaxhighlighter table td.code .container textarea{background:#0f192a;color:#d1edff;} .syntaxhighlighter .gutter{color:#afafaf !important;} .syntaxhighlighter .gutter .line{border-right:3px solid #435a5f !important;} .syntaxhighlighter .gutter .line.highlighted{background-color:#435a5f !important;color:#0f192a !important;} .syntaxhighlighter.printing .line .content{border:none !important;} .syntaxhighlighter.collapsed{overflow:visible !important;} .syntaxhighlighter.collapsed .toolbar{color:#428bdd !important;background:black !important;border:1px solid #435a5f !important;} .syntaxhighlighter.collapsed .toolbar a{color:#428bdd !important;} .syntaxhighlighter.collapsed .toolbar a:hover{color:#1dc116 !important;} .syntaxhighlighter .toolbar{color:#d1edff !important;background:#435a5f !important;border:none !important;} .syntaxhighlighter .toolbar a{color:#d1edff !important;} .syntaxhighlighter .toolbar a:hover{color:#8aa6c1 !important;} .syntaxhighlighter .plain,.syntaxhighlighter .plain a{color:#d1edff !important;} .syntaxhighlighter .comments,.syntaxhighlighter .comments a{color:#428bdd !important;} .syntaxhighlighter .string,.syntaxhighlighter .string a{color:#1dc116 !important;} .syntaxhighlighter .keyword{color:#b43d3d !important;} .syntaxhighlighter .preprocessor{color:#8aa6c1 !important;} .syntaxhighlighter .variable{color:#ffaa3e !important;} .syntaxhighlighter .value{color:#f7e741 !important;} .syntaxhighlighter .functions{color:#ffaa3e !important;} .syntaxhighlighter .constants{color:#e0e8ff !important;} .syntaxhighlighter .script{font-weight:bold !important;color:#b43d3d !important;background-color:none !important;} .syntaxhighlighter .color1,.syntaxhighlighter .color1 a{color:#f8bb00 !important;} .syntaxhighlighter .color2,.syntaxhighlighter .color2 a{color:white !important;} .syntaxhighlighter .color3,.syntaxhighlighter .color3 a{color:#ffaa3e !important;}
SquareSquash/web/vendor/assets/stylesheets/sh/shThemeMidnight.css/0
{ "file_path": "SquareSquash/web/vendor/assets/stylesheets/sh/shThemeMidnight.css", "repo_id": "SquareSquash", "token_count": 938 }
152
import { enableProdMode } from "@angular/core"; import { platformBrowserDynamic } from "@angular/platform-browser-dynamic"; import "bootstrap"; import "jquery"; import "popper.js"; require("src/scss/styles.scss"); require("src/scss/tailwind.css"); import { AppModule } from "./app.module"; if (process.env.NODE_ENV === "production") { enableProdMode(); } platformBrowserDynamic().bootstrapModule(AppModule, { preserveWhitespaces: true });
bitwarden/web/bitwarden_license/src/app/main.ts/0
{ "file_path": "bitwarden/web/bitwarden_license/src/app/main.ts", "repo_id": "bitwarden", "token_count": 142 }
153
<app-callout type="tip" title="{{ 'prerequisite' | i18n }}"> {{ "requireSsoPolicyReq" | i18n }} </app-callout> <div class="form-group"> <div class="form-check"> <input class="form-check-input" type="checkbox" id="enabled" [formControl]="enabled" name="Enabled" /> <label class="form-check-label" for="enabled">{{ "enabled" | i18n }}</label> </div> </div> <div [formGroup]="data"> <div class="form-group"> <label for="hours">{{ "maximumVaultTimeoutLabel" | i18n }}</label> <div class="row"> <div class="col-6"> <input id="hours" class="form-control" type="number" min="0" name="hours" formControlName="hours" /> <small>{{ "hours" | i18n }}</small> </div> <div class="col-6"> <input id="minutes" class="form-control" type="number" min="0" max="59" name="minutes" formControlName="minutes" /> <small>{{ "minutes" | i18n }}</small> </div> </div> </div> </div>
bitwarden/web/bitwarden_license/src/app/policies/maximum-vault-timeout.component.html/0
{ "file_path": "bitwarden/web/bitwarden_license/src/app/policies/maximum-vault-timeout.component.html", "repo_id": "bitwarden", "token_count": 571 }
154
<div class="container page-content"> <div class="row"> <div class="col-3"> <div class="card" *ngIf="provider"> <div class="card-header">{{ "manage" | i18n }}</div> <div class="list-group list-group-flush"> <a routerLink="people" class="list-group-item" routerLinkActive="active" *ngIf="provider.canManageUsers" > {{ "people" | i18n }} </a> <a routerLink="events" class="list-group-item" routerLinkActive="active" *ngIf="provider.canAccessEventLogs && accessEvents" > {{ "eventLogs" | i18n }} </a> </div> </div> </div> <div class="col-9"> <router-outlet></router-outlet> </div> </div> </div>
bitwarden/web/bitwarden_license/src/app/providers/manage/manage.component.html/0
{ "file_path": "bitwarden/web/bitwarden_license/src/app/providers/manage/manage.component.html", "repo_id": "bitwarden", "token_count": 451 }
155
import { Component } from "@angular/core"; import { BaseAcceptComponent } from "src/app/common/base.accept.component"; @Component({ selector: "app-setup-provider", templateUrl: "setup-provider.component.html", }) export class SetupProviderComponent extends BaseAcceptComponent { failedShortMessage = "inviteAcceptFailedShort"; failedMessage = "inviteAcceptFailed"; requiredParameters = ["providerId", "email", "token"]; async authedHandler(qParams: any) { this.router.navigate(["/providers/setup"], { queryParams: qParams }); } async unauthedHandler(qParams: any) { // Empty } }
bitwarden/web/bitwarden_license/src/app/providers/setup/setup-provider.component.ts/0
{ "file_path": "bitwarden/web/bitwarden_license/src/app/providers/setup/setup-provider.component.ts", "repo_id": "bitwarden", "token_count": 192 }
156
const child_process = require("child_process"); const path = require("path"); const images = process.argv.slice(2); images.forEach((img) => { switch (img.split(".").pop()) { case "png": child_process.execSync( `npx @squoosh/cli --oxipng {} --output-dir "${path.dirname(img)}" "${img}"` ); break; case "jpg": child_process.execSync( `npx @squoosh/cli --mozjpeg {"quality":85,"baseline":false,"arithmetic":false,"progressive":true,"optimize_coding":true,"smoothing":0,"color_space":3,"quant_table":3,"trellis_multipass":false,"trellis_opt_zero":false,"trellis_opt_table":false,"trellis_loops":1,"auto_subsample":true,"chroma_subsample":2,"separate_chroma_quality":false,"chroma_quality":75} --output-dir "${path.dirname( img )}" "${img}"` ); break; } });
bitwarden/web/scripts/optimize.js/0
{ "file_path": "bitwarden/web/scripts/optimize.js", "repo_id": "bitwarden", "token_count": 352 }
157
import { Component, NgZone } from "@angular/core"; import { ActivatedRoute, Router } from "@angular/router"; import { first } from "rxjs/operators"; import { LoginComponent as BaseLoginComponent } from "jslib-angular/components/login.component"; import { ApiService } from "jslib-common/abstractions/api.service"; import { AuthService } from "jslib-common/abstractions/auth.service"; import { CryptoFunctionService } from "jslib-common/abstractions/cryptoFunction.service"; import { EnvironmentService } from "jslib-common/abstractions/environment.service"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { LogService } from "jslib-common/abstractions/log.service"; import { 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 { PolicyData } from "jslib-common/models/data/policyData"; import { MasterPasswordPolicyOptions } from "jslib-common/models/domain/masterPasswordPolicyOptions"; import { Policy } from "jslib-common/models/domain/policy"; import { ListResponse } from "jslib-common/models/response/listResponse"; import { PolicyResponse } from "jslib-common/models/response/policyResponse"; import { StateService } from "../../abstractions/state.service"; import { RouterService } from "../services/router.service"; @Component({ selector: "app-login", templateUrl: "login.component.html", }) export class LoginComponent extends BaseLoginComponent { showResetPasswordAutoEnrollWarning = false; enforcedPasswordPolicyOptions: MasterPasswordPolicyOptions; policies: ListResponse<PolicyResponse>; constructor( authService: AuthService, router: Router, i18nService: I18nService, private route: ActivatedRoute, platformUtilsService: PlatformUtilsService, environmentService: EnvironmentService, passwordGenerationService: PasswordGenerationService, cryptoFunctionService: CryptoFunctionService, private apiService: ApiService, private policyService: PolicyService, logService: LogService, ngZone: NgZone, protected stateService: StateService, private messagingService: MessagingService, private routerService: RouterService ) { super( authService, router, platformUtilsService, i18nService, stateService, environmentService, passwordGenerationService, cryptoFunctionService, logService, ngZone ); this.onSuccessfulLogin = async () => { this.messagingService.send("setFullWidth"); }; this.onSuccessfulLoginNavigate = this.goAfterLogIn; } async ngOnInit() { this.route.queryParams.pipe(first()).subscribe(async (qParams) => { if (qParams.email != null && qParams.email.indexOf("@") > -1) { this.email = qParams.email; } if (qParams.premium != null) { this.routerService.setPreviousUrl("/settings/premium"); } else if (qParams.org != null) { const route = this.router.createUrlTree(["create-organization"], { queryParams: { plan: qParams.org }, }); this.routerService.setPreviousUrl(route.toString()); } // Are they coming from an email for sponsoring a families organization if (qParams.sponsorshipToken != null) { const route = this.router.createUrlTree(["setup/families-for-enterprise"], { queryParams: { token: qParams.sponsorshipToken }, }); this.routerService.setPreviousUrl(route.toString()); } await super.ngOnInit(); this.rememberEmail = await this.stateService.getRememberEmail(); }); const invite = await this.stateService.getOrganizationInvitation(); if (invite != null) { let policyList: Policy[] = null; try { this.policies = await this.apiService.getPoliciesByToken( invite.organizationId, invite.token, invite.email, invite.organizationUserId ); policyList = this.policyService.mapPoliciesFromToken(this.policies); } catch (e) { this.logService.error(e); } if (policyList != null) { const resetPasswordPolicy = this.policyService.getResetPasswordPolicyOptions( policyList, invite.organizationId ); // Set to true if policy enabled and auto-enroll enabled this.showResetPasswordAutoEnrollWarning = resetPasswordPolicy[1] && resetPasswordPolicy[0].autoEnrollEnabled; this.enforcedPasswordPolicyOptions = await this.policyService.getMasterPasswordPolicyOptions(policyList); } } } async goAfterLogIn() { // Check master password against policy if (this.enforcedPasswordPolicyOptions != null) { const strengthResult = this.passwordGenerationService.passwordStrength( this.masterPassword, this.getPasswordStrengthUserInput() ); const masterPasswordScore = strengthResult == null ? null : strengthResult.score; // If invalid, save policies and require update if ( !this.policyService.evaluateMasterPassword( masterPasswordScore, this.masterPassword, this.enforcedPasswordPolicyOptions ) ) { const policiesData: { [id: string]: PolicyData } = {}; this.policies.data.map((p) => (policiesData[p.id] = new PolicyData(p))); await this.policyService.replace(policiesData); this.router.navigate(["update-password"]); return; } } const previousUrl = this.routerService.getPreviousUrl(); if (previousUrl) { this.router.navigateByUrl(previousUrl); } else { this.router.navigate([this.successRoute]); } } async submit() { await this.stateService.setRememberEmail(this.rememberEmail); if (!this.rememberEmail) { await this.stateService.setRememberedEmail(null); } await super.submit(); } 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]/) ); } return userInput; } }
bitwarden/web/src/app/accounts/login.component.ts/0
{ "file_path": "bitwarden/web/src/app/accounts/login.component.ts", "repo_id": "bitwarden", "token_count": 2380 }
158
import { Component, ViewChild, ViewContainerRef } from "@angular/core"; import { ActivatedRoute, Router } from "@angular/router"; import { TwoFactorComponent as BaseTwoFactorComponent } from "jslib-angular/components/two-factor.component"; import { ModalService } from "jslib-angular/services/modal.service"; import { ApiService } from "jslib-common/abstractions/api.service"; import { AppIdService } from "jslib-common/abstractions/appId.service"; import { AuthService } from "jslib-common/abstractions/auth.service"; import { EnvironmentService } from "jslib-common/abstractions/environment.service"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { LogService } from "jslib-common/abstractions/log.service"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { StateService } from "jslib-common/abstractions/state.service"; import { TwoFactorService } from "jslib-common/abstractions/twoFactor.service"; import { TwoFactorProviderType } from "jslib-common/enums/twoFactorProviderType"; import { RouterService } from "../services/router.service"; import { TwoFactorOptionsComponent } from "./two-factor-options.component"; @Component({ selector: "app-two-factor", templateUrl: "two-factor.component.html", }) export class TwoFactorComponent extends BaseTwoFactorComponent { @ViewChild("twoFactorOptions", { read: ViewContainerRef, static: true }) twoFactorOptionsModal: ViewContainerRef; constructor( authService: AuthService, router: Router, i18nService: I18nService, apiService: ApiService, platformUtilsService: PlatformUtilsService, stateService: StateService, environmentService: EnvironmentService, private modalService: ModalService, route: ActivatedRoute, logService: LogService, twoFactorService: TwoFactorService, appIdService: AppIdService, private routerService: RouterService ) { super( authService, router, i18nService, apiService, platformUtilsService, window, environmentService, stateService, route, logService, twoFactorService, appIdService ); this.onSuccessfulLoginNavigate = this.goAfterLogIn; } async anotherMethod() { const [modal] = await this.modalService.openViewRef( TwoFactorOptionsComponent, this.twoFactorOptionsModal, (comp) => { comp.onProviderSelected.subscribe(async (provider: TwoFactorProviderType) => { modal.close(); this.selectedProviderType = provider; await this.init(); }); comp.onRecoverSelected.subscribe(() => { modal.close(); }); } ); } async goAfterLogIn() { const previousUrl = this.routerService.getPreviousUrl(); if (previousUrl) { this.router.navigateByUrl(previousUrl); } else { this.router.navigate([this.successRoute], { queryParams: { identifier: this.identifier, }, }); } } }
bitwarden/web/src/app/accounts/two-factor.component.ts/0
{ "file_path": "bitwarden/web/src/app/accounts/two-factor.component.ts", "repo_id": "bitwarden", "token_count": 1085 }
159
import { Component, EventEmitter, Input, Output } from "@angular/core"; import { Utils } from "jslib-common/misc/utils"; @Component({ selector: "app-nested-checkbox", templateUrl: "nested-checkbox.component.html", }) export class NestedCheckboxComponent { @Input() parentId: string; @Input() checkboxes: { id: string; get: () => boolean; set: (v: boolean) => void }[]; @Output() onSavedUser = new EventEmitter(); @Output() onDeletedUser = new EventEmitter(); get parentIndeterminate() { return !this.parentChecked && this.checkboxes.some((c) => c.get()); } get parentChecked() { return this.checkboxes.every((c) => c.get()); } set parentChecked(value: boolean) { this.checkboxes.forEach((c) => { c.set(value); }); } pascalize(s: string) { return Utils.camelToPascalCase(s); } }
bitwarden/web/src/app/components/nested-checkbox.component.ts/0
{ "file_path": "bitwarden/web/src/app/components/nested-checkbox.component.ts", "repo_id": "bitwarden", "token_count": 303 }
160
import { Component, OnInit } from "@angular/core"; @Component({ selector: "app-user-layout", templateUrl: "user-layout.component.html", }) export class UserLayoutComponent implements OnInit { ngOnInit() { document.body.classList.remove("layout_frontend"); } }
bitwarden/web/src/app/layouts/user-layout.component.ts/0
{ "file_path": "bitwarden/web/src/app/layouts/user-layout.component.ts", "repo_id": "bitwarden", "token_count": 86 }
161
<a class="dropdown-item" href="#" appStopClick (click)="submit(returnUri, true)"> <i class="bwi bwi-fw bwi-link" aria-hidden="true"></i> {{ "linkSso" | i18n }} </a>
bitwarden/web/src/app/modules/vault-filter/components/link-sso.component.html/0
{ "file_path": "bitwarden/web/src/app/modules/vault-filter/components/link-sso.component.html", "repo_id": "bitwarden", "token_count": 72 }
162
<div class="container page-content"> <div class="row"> <div class="col-3"> <div class="groupings"> <div class="content"> <div class="inner-content"> <app-vault-filter #vaultFilter [activeFilter]="activeFilter" (onFilterChange)="applyVaultFilter($event)" (onAddFolder)="addFolder()" (onEditFolder)="editFolder($event.id)" (onSearchTextChanged)="filterSearchText($event)" ></app-vault-filter> </div> </div> </div> </div> <div [ngClass]="{ 'col-6': isShowingCards, 'col-9': !isShowingCards }"> <div class="page-header d-flex"> <h1> {{ "vaultItems" | i18n }} <small #actionSpinner [appApiAction]="ciphersComponent.actionPromise"> <ng-container *ngIf="actionSpinner.loading"> <i class="bwi bwi-spinner bwi-spin text-muted" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> <span class="sr-only">{{ "loading" | i18n }}</span> </ng-container> </small> </h1> <div class="ml-auto d-flex"> <app-vault-bulk-actions [ciphersComponent]="ciphersComponent" [deleted]="activeFilter.status === 'trash'" > </app-vault-bulk-actions> <button type="button" class="btn btn-outline-primary btn-sm" (click)="addCipher()" *ngIf="activeFilter.status !== 'trash'" > <i class="bwi bwi-plus bwi-fw" aria-hidden="true"></i>{{ "addItem" | i18n }} </button> </div> </div> <app-callout type="warning" *ngIf="activeFilter.status === 'trash'" icon="bwi-exclamation-triangle" > {{ trashCleanupWarning }} </app-callout> <app-vault-ciphers (onCipherClicked)="editCipher($event)" (onAttachmentsClicked)="editCipherAttachments($event)" (onAddCipher)="addCipher()" (onShareClicked)="shareCipher($event)" (onCollectionsClicked)="editCipherCollections($event)" (onCloneClicked)="cloneCipher($event)" (onOrganzationBadgeClicked)="applyOrganizationFilter($event)" > </app-vault-ciphers> </div> <div class="col-3"> <div class="card border-warning mb-4" *ngIf="showUpdateKey"> <div class="card-header bg-warning text-white"> <i class="bwi bwi-exclamation-triangle bwi-fw" aria-hidden="true"></i> {{ "updateKeyTitle" | i18n }} </div> <div class="card-body"> <p>{{ "updateEncryptionKeyShortDesc" | i18n }}</p> <button class="btn btn-block btn-outline-secondary" type="button" (click)="updateKey()"> {{ "updateEncryptionKey" | i18n }} </button> </div> </div> <app-verify-email *ngIf="showVerifyEmail" class="d-block mb-4"></app-verify-email> <div class="card border-warning mb-4" *ngIf="showBrowserOutdated"> <div class="card-header bg-warning text-white"> <i class="bwi bwi-exclamation-triangle bwi-fw" aria-hidden="true"></i> {{ "updateBrowser" | i18n }} </div> <div class="card-body"> <p>{{ "updateBrowserDesc" | i18n }}</p> <a class="btn btn-block btn-outline-secondary" target="_blank" href="https://browser-update.org/update-browser.html" rel="noopener" > {{ "updateBrowser" | i18n }} </a> </div> </div> <div class="card border-success mb-4" *ngIf="showPremiumCallout"> <div class="card-header bg-success text-white"> <i class="bwi bwi-star-f bwi-fw" aria-hidden="true"></i> {{ "goPremium" | i18n }} </div> <div class="card-body"> <p>{{ "premiumUpgradeUnlockFeatures" | i18n }}</p> <a class="btn btn-block btn-outline-secondary" routerLink="/settings/subscription/premium" > {{ "goPremium" | i18n }} </a> </div> </div> </div> </div> </div> <ng-template #attachments></ng-template> <ng-template #folderAddEdit></ng-template> <ng-template #cipherAddEdit></ng-template> <ng-template #share></ng-template> <ng-template #collections></ng-template> <ng-template #updateKeyTemplate></ng-template>
bitwarden/web/src/app/modules/vault/modules/individual-vault/individual-vault.component.html/0
{ "file_path": "bitwarden/web/src/app/modules/vault/modules/individual-vault/individual-vault.component.html", "repo_id": "bitwarden", "token_count": 2275 }
163
import { Component, Input, OnInit } 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 { OrganizationUserStatusType } from "jslib-common/enums/organizationUserStatusType"; import { Utils } from "jslib-common/misc/utils"; import { OrganizationUserBulkConfirmRequest } from "jslib-common/models/request/organizationUserBulkConfirmRequest"; import { OrganizationUserBulkRequest } from "jslib-common/models/request/organizationUserBulkRequest"; import { BulkUserDetails } from "./bulk-status.component"; @Component({ selector: "app-bulk-confirm", templateUrl: "bulk-confirm.component.html", }) export class BulkConfirmComponent implements OnInit { @Input() organizationId: string; @Input() users: BulkUserDetails[]; excludedUsers: BulkUserDetails[]; filteredUsers: BulkUserDetails[]; publicKeys: Map<string, Uint8Array> = new Map(); fingerprints: Map<string, string> = new Map(); statuses: Map<string, string> = new Map(); loading = true; done = false; error: string; constructor( protected cryptoService: CryptoService, protected apiService: ApiService, private i18nService: I18nService ) {} async ngOnInit() { this.excludedUsers = this.users.filter((u) => !this.isAccepted(u)); this.filteredUsers = this.users.filter((u) => this.isAccepted(u)); if (this.filteredUsers.length <= 0) { this.done = true; } const response = await this.getPublicKeys(); for (const entry of response.data) { const publicKey = Utils.fromB64ToArray(entry.key); const fingerprint = await this.cryptoService.getFingerprint(entry.userId, publicKey.buffer); if (fingerprint != null) { this.publicKeys.set(entry.id, publicKey); this.fingerprints.set(entry.id, fingerprint.join("-")); } } this.loading = false; } async submit() { this.loading = true; try { const key = await this.getCryptoKey(); const userIdsWithKeys: any[] = []; for (const user of this.filteredUsers) { const publicKey = this.publicKeys.get(user.id); if (publicKey == null) { continue; } const encryptedKey = await this.cryptoService.rsaEncrypt(key.key, publicKey.buffer); userIdsWithKeys.push({ id: user.id, key: encryptedKey.encryptedString, }); } const response = await this.postConfirmRequest(userIdsWithKeys); response.data.forEach((entry) => { const error = entry.error !== "" ? entry.error : this.i18nService.t("bulkConfirmMessage"); this.statuses.set(entry.id, error); }); this.done = true; } catch (e) { this.error = e.message; } this.loading = false; } protected isAccepted(user: BulkUserDetails) { return user.status === OrganizationUserStatusType.Accepted; } protected async getPublicKeys() { const request = new OrganizationUserBulkRequest(this.filteredUsers.map((user) => user.id)); return await this.apiService.postOrganizationUsersPublicKey(this.organizationId, request); } protected getCryptoKey() { return this.cryptoService.getOrgKey(this.organizationId); } protected async postConfirmRequest(userIdsWithKeys: any[]) { const request = new OrganizationUserBulkConfirmRequest(userIdsWithKeys); return await this.apiService.postOrganizationUserBulkConfirm(this.organizationId, request); } }
bitwarden/web/src/app/organizations/manage/bulk/bulk-confirm.component.ts/0
{ "file_path": "bitwarden/web/src/app/organizations/manage/bulk/bulk-confirm.component.ts", "repo_id": "bitwarden", "token_count": 1275 }
164
import { Component, OnInit, ViewChild, ViewContainerRef } from "@angular/core"; import { ActivatedRoute, Router } from "@angular/router"; import { first } from "rxjs/operators"; import { ModalService } from "jslib-angular/services/modal.service"; import { ApiService } from "jslib-common/abstractions/api.service"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { LogService } from "jslib-common/abstractions/log.service"; import { OrganizationService } from "jslib-common/abstractions/organization.service"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { SearchService } from "jslib-common/abstractions/search.service"; import { Utils } from "jslib-common/misc/utils"; import { GroupResponse } from "jslib-common/models/response/groupResponse"; import { EntityUsersComponent } from "../../modules/organizations/manage/entity-users.component"; import { GroupAddEditComponent } from "./group-add-edit.component"; @Component({ selector: "app-org-groups", templateUrl: "groups.component.html", }) export class GroupsComponent implements OnInit { @ViewChild("addEdit", { read: ViewContainerRef, static: true }) addEditModalRef: ViewContainerRef; @ViewChild("usersTemplate", { read: ViewContainerRef, static: true }) usersModalRef: ViewContainerRef; loading = true; organizationId: string; groups: GroupResponse[]; pagedGroups: GroupResponse[]; searchText: string; protected didScroll = false; protected pageSize = 100; private pagedGroupsCount = 0; constructor( private apiService: ApiService, private route: ActivatedRoute, private i18nService: I18nService, private modalService: ModalService, private platformUtilsService: PlatformUtilsService, private router: Router, private searchService: SearchService, private logService: LogService, private organizationService: OrganizationService ) {} async ngOnInit() { this.route.parent.parent.params.subscribe(async (params) => { this.organizationId = params.organizationId; const organization = await this.organizationService.get(this.organizationId); if (organization == null || !organization.useGroups) { this.router.navigate(["/organizations", this.organizationId]); return; } await this.load(); this.route.queryParams.pipe(first()).subscribe(async (qParams) => { this.searchText = qParams.search; }); }); } async load() { const response = await this.apiService.getGroups(this.organizationId); const groups = response.data != null && response.data.length > 0 ? response.data : []; groups.sort(Utils.getSortFunction(this.i18nService, "name")); this.groups = groups; this.resetPaging(); this.loading = false; } loadMore() { if (!this.groups || this.groups.length <= this.pageSize) { return; } const pagedLength = this.pagedGroups.length; let pagedSize = this.pageSize; if (pagedLength === 0 && this.pagedGroupsCount > this.pageSize) { pagedSize = this.pagedGroupsCount; } if (this.groups.length > pagedLength) { this.pagedGroups = this.pagedGroups.concat( this.groups.slice(pagedLength, pagedLength + pagedSize) ); } this.pagedGroupsCount = this.pagedGroups.length; this.didScroll = this.pagedGroups.length > this.pageSize; } async edit(group: GroupResponse) { const [modal] = await this.modalService.openViewRef( GroupAddEditComponent, this.addEditModalRef, (comp) => { comp.organizationId = this.organizationId; comp.groupId = group != null ? group.id : null; comp.onSavedGroup.subscribe(() => { modal.close(); this.load(); }); comp.onDeletedGroup.subscribe(() => { modal.close(); this.removeGroup(group); }); } ); } add() { this.edit(null); } async delete(group: GroupResponse) { const confirmed = await this.platformUtilsService.showDialog( this.i18nService.t("deleteGroupConfirmation"), group.name, this.i18nService.t("yes"), this.i18nService.t("no"), "warning" ); if (!confirmed) { return false; } try { await this.apiService.deleteGroup(this.organizationId, group.id); this.platformUtilsService.showToast( "success", null, this.i18nService.t("deletedGroupId", group.name) ); this.removeGroup(group); } catch (e) { this.logService.error(e); } } async users(group: GroupResponse) { const [modal] = await this.modalService.openViewRef( EntityUsersComponent, this.usersModalRef, (comp) => { comp.organizationId = this.organizationId; comp.entity = "group"; comp.entityId = group.id; comp.entityName = group.name; comp.onEditedUsers.subscribe(() => { modal.close(); }); } ); } async resetPaging() { this.pagedGroups = []; this.loadMore(); } isSearching() { return this.searchService.isSearchable(this.searchText); } isPaging() { const searching = this.isSearching(); if (searching && this.didScroll) { this.resetPaging(); } return !searching && this.groups && this.groups.length > this.pageSize; } private removeGroup(group: GroupResponse) { const index = this.groups.indexOf(group); if (index > -1) { this.groups.splice(index, 1); this.resetPaging(); } } }
bitwarden/web/src/app/organizations/manage/groups.component.ts/0
{ "file_path": "bitwarden/web/src/app/organizations/manage/groups.component.ts", "repo_id": "bitwarden", "token_count": 2114 }
165
import { Component, EventEmitter, Input, OnInit, Output } from "@angular/core"; import { ApiService } from "jslib-common/abstractions/api.service"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { LogService } from "jslib-common/abstractions/log.service"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { Utils } from "jslib-common/misc/utils"; import { OrganizationUserUpdateGroupsRequest } from "jslib-common/models/request/organizationUserUpdateGroupsRequest"; import { GroupResponse } from "jslib-common/models/response/groupResponse"; @Component({ selector: "app-user-groups", templateUrl: "user-groups.component.html", }) export class UserGroupsComponent implements OnInit { @Input() name: string; @Input() organizationUserId: string; @Input() organizationId: string; @Output() onSavedUser = new EventEmitter(); loading = true; groups: GroupResponse[] = []; formPromise: Promise<any>; constructor( private apiService: ApiService, private i18nService: I18nService, private platformUtilsService: PlatformUtilsService, private logService: LogService ) {} async ngOnInit() { const groupsResponse = await this.apiService.getGroups(this.organizationId); const groups = groupsResponse.data.map((r) => r); groups.sort(Utils.getSortFunction(this.i18nService, "name")); this.groups = groups; try { const userGroups = await this.apiService.getOrganizationUserGroups( this.organizationId, this.organizationUserId ); if (userGroups != null && this.groups != null) { userGroups.forEach((ug) => { const group = this.groups.filter((g) => g.id === ug); if (group != null && group.length > 0) { (group[0] as any).checked = true; } }); } } catch (e) { this.logService.error(e); } this.loading = false; } check(g: GroupResponse, select?: boolean) { (g as any).checked = select == null ? !(g as any).checked : select; if (!(g as any).checked) { (g as any).readOnly = false; } } selectAll(select: boolean) { this.groups.forEach((g) => this.check(g, select)); } async submit() { const request = new OrganizationUserUpdateGroupsRequest(); request.groupIds = this.groups.filter((g) => (g as any).checked).map((g) => g.id); try { this.formPromise = this.apiService.putOrganizationUserGroups( this.organizationId, this.organizationUserId, request ); await this.formPromise; this.platformUtilsService.showToast( "success", null, this.i18nService.t("editedGroupsForUser", this.name) ); this.onSavedUser.emit(); } catch (e) { this.logService.error(e); } } }
bitwarden/web/src/app/organizations/manage/user-groups.component.ts/0
{ "file_path": "bitwarden/web/src/app/organizations/manage/user-groups.component.ts", "repo_id": "bitwarden", "token_count": 1080 }
166
import { Component } from "@angular/core"; import { FormBuilder } from "@angular/forms"; import { PolicyType } from "jslib-common/enums/policyType"; import { BasePolicy, BasePolicyComponent } from "./base-policy.component"; export class SendOptionsPolicy extends BasePolicy { name = "sendOptions"; description = "sendOptionsPolicyDesc"; type = PolicyType.SendOptions; component = SendOptionsPolicyComponent; } @Component({ selector: "policy-send-options", templateUrl: "send-options.component.html", }) export class SendOptionsPolicyComponent extends BasePolicyComponent { data = this.formBuilder.group({ disableHideEmail: false, }); constructor(private formBuilder: FormBuilder) { super(); } }
bitwarden/web/src/app/organizations/policies/send-options.component.ts/0
{ "file_path": "bitwarden/web/src/app/organizations/policies/send-options.component.ts", "repo_id": "bitwarden", "token_count": 205 }
167
<form #form class="card" (ngSubmit)="submit()" [appApiAction]="formPromise" ngNativeValidate> <div class="card-body"> <button type="button" class="close" appA11yTitle="{{ 'cancel' | i18n }}" (click)="cancel()"> <span aria-hidden="true">&times;</span> </button> <h3 class="card-body-header">{{ "downloadLicense" | i18n }}</h3> <div class="row"> <div class="form-group col-6"> <div class="d-flex"> <label for="installationId">{{ "enterInstallationId" | i18n }}</label> <a class="ml-auto" target="_blank" rel="noopener" appA11yTitle="{{ 'learnMore' | i18n }}" href="https://bitwarden.com/help/licensing-on-premise/#organization-account-sharing" > <i class="bwi bwi-question-circle" aria-hidden="true"></i> </a> </div> <input id="installationId" class="form-control" type="text" name="InstallationId" [(ngModel)]="installationId" required /> </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>{{ "submit" | i18n }}</span> </button> <button type="button" class="btn btn-outline-secondary" (click)="cancel()"> {{ "cancel" | i18n }} </button> </div> </form>
bitwarden/web/src/app/organizations/settings/download-license.component.html/0
{ "file_path": "bitwarden/web/src/app/organizations/settings/download-license.component.html", "repo_id": "bitwarden", "token_count": 704 }
168
import { Component } from "@angular/core"; import { ActivatedRoute } from "@angular/router"; import { ModalService } from "jslib-angular/services/modal.service"; import { AuditService } from "jslib-common/abstractions/audit.service"; import { CipherService } from "jslib-common/abstractions/cipher.service"; import { MessagingService } from "jslib-common/abstractions/messaging.service"; import { OrganizationService } from "jslib-common/abstractions/organization.service"; import { PasswordRepromptService } from "jslib-common/abstractions/passwordReprompt.service"; import { StateService } from "jslib-common/abstractions/state.service"; import { Cipher } from "jslib-common/models/domain/cipher"; import { CipherView } from "jslib-common/models/view/cipherView"; import { ExposedPasswordsReportComponent as BaseExposedPasswordsReportComponent } from "../../reports/exposed-passwords-report.component"; @Component({ selector: "app-org-exposed-passwords-report", templateUrl: "../../reports/exposed-passwords-report.component.html", }) export class ExposedPasswordsReportComponent extends BaseExposedPasswordsReportComponent { manageableCiphers: Cipher[]; constructor( cipherService: CipherService, auditService: AuditService, modalService: ModalService, messagingService: MessagingService, stateService: StateService, private organizationService: OrganizationService, private route: ActivatedRoute, passwordRepromptService: PasswordRepromptService ) { super( cipherService, auditService, modalService, messagingService, stateService, passwordRepromptService ); } ngOnInit() { this.route.parent.parent.params.subscribe(async (params) => { this.organization = await this.organizationService.get(params.organizationId); this.manageableCiphers = await this.cipherService.getAll(); await this.checkAccess(); }); } getAllCiphers(): Promise<CipherView[]> { return this.cipherService.getAllFromApiForOrganization(this.organization.id); } canManageCipher(c: CipherView): boolean { return this.manageableCiphers.some((x) => x.id === c.id); } }
bitwarden/web/src/app/organizations/tools/exposed-passwords-report.component.ts/0
{ "file_path": "bitwarden/web/src/app/organizations/tools/exposed-passwords-report.component.ts", "repo_id": "bitwarden", "token_count": 701 }
169
import { Component, OnInit } from "@angular/core"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { ProviderService } from "jslib-common/abstractions/provider.service"; import { Utils } from "jslib-common/misc/utils"; import { Provider } from "jslib-common/models/domain/provider"; @Component({ selector: "app-providers", templateUrl: "providers.component.html", }) export class ProvidersComponent implements OnInit { providers: Provider[]; loaded = false; actionPromise: Promise<any>; constructor(private providerService: ProviderService, private i18nService: I18nService) {} async ngOnInit() { document.body.classList.remove("layout_frontend"); await this.load(); } async load() { const providers = await this.providerService.getAll(); providers.sort(Utils.getSortFunction(this.i18nService, "name")); this.providers = providers; this.loaded = true; } }
bitwarden/web/src/app/providers/providers.component.ts/0
{ "file_path": "bitwarden/web/src/app/providers/providers.component.ts", "repo_id": "bitwarden", "token_count": 302 }
170
import { Component, OnInit } from "@angular/core"; import { ModalService } from "jslib-angular/services/modal.service"; import { CipherService } from "jslib-common/abstractions/cipher.service"; import { MessagingService } from "jslib-common/abstractions/messaging.service"; import { PasswordRepromptService } from "jslib-common/abstractions/passwordReprompt.service"; import { StateService } from "jslib-common/abstractions/state.service"; import { CipherType } from "jslib-common/enums/cipherType"; import { CipherView } from "jslib-common/models/view/cipherView"; import { CipherReportComponent } from "./cipher-report.component"; @Component({ selector: "app-reused-passwords-report", templateUrl: "reused-passwords-report.component.html", }) export class ReusedPasswordsReportComponent extends CipherReportComponent implements OnInit { passwordUseMap: Map<string, number>; constructor( protected cipherService: CipherService, modalService: ModalService, messagingService: MessagingService, stateService: StateService, passwordRepromptService: PasswordRepromptService ) { super(modalService, messagingService, true, stateService, passwordRepromptService); } async ngOnInit() { if (await this.checkAccess()) { await super.load(); } } async setCiphers() { const allCiphers = await this.getAllCiphers(); const ciphersWithPasswords: CipherView[] = []; this.passwordUseMap = new Map<string, number>(); allCiphers.forEach((c) => { if ( c.type !== CipherType.Login || c.login.password == null || c.login.password === "" || c.isDeleted ) { return; } ciphersWithPasswords.push(c); if (this.passwordUseMap.has(c.login.password)) { this.passwordUseMap.set(c.login.password, this.passwordUseMap.get(c.login.password) + 1); } else { this.passwordUseMap.set(c.login.password, 1); } }); const reusedPasswordCiphers = ciphersWithPasswords.filter( (c) => this.passwordUseMap.has(c.login.password) && this.passwordUseMap.get(c.login.password) > 1 ); this.ciphers = reusedPasswordCiphers; } protected getAllCiphers(): Promise<CipherView[]> { return this.cipherService.getAllDecrypted(); } protected canManageCipher(c: CipherView): boolean { // this will only ever be false from an organization view return true; } }
bitwarden/web/src/app/reports/reused-passwords-report.component.ts/0
{ "file_path": "bitwarden/web/src/app/reports/reused-passwords-report.component.ts", "repo_id": "bitwarden", "token_count": 866 }
171
import { BasePolicy } from "../organizations/policies/base-policy.component"; export class PolicyListService { private policies: BasePolicy[] = []; addPolicies(policies: BasePolicy[]) { this.policies.push(...policies); } getPolicies(): BasePolicy[] { return this.policies; } }
bitwarden/web/src/app/services/policy-list.service.ts/0
{ "file_path": "bitwarden/web/src/app/services/policy-list.service.ts", "repo_id": "bitwarden", "token_count": 103 }
172
import { Component, OnInit } 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 { MessagingService } from "jslib-common/abstractions/messaging.service"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { StateService } from "jslib-common/abstractions/state.service"; import { TwoFactorProviderType } from "jslib-common/enums/twoFactorProviderType"; import { EmailRequest } from "jslib-common/models/request/emailRequest"; import { EmailTokenRequest } from "jslib-common/models/request/emailTokenRequest"; @Component({ selector: "app-change-email", templateUrl: "change-email.component.html", }) export class ChangeEmailComponent implements OnInit { masterPassword: string; newEmail: string; token: string; tokenSent = false; showTwoFactorEmailWarning = false; formPromise: Promise<any>; constructor( private apiService: ApiService, private i18nService: I18nService, private platformUtilsService: PlatformUtilsService, private cryptoService: CryptoService, private messagingService: MessagingService, private logService: LogService, private stateService: StateService ) {} async ngOnInit() { const twoFactorProviders = await this.apiService.getTwoFactorProviders(); this.showTwoFactorEmailWarning = twoFactorProviders.data.some( (p) => p.type === TwoFactorProviderType.Email && p.enabled ); } async submit() { const hasEncKey = await this.cryptoService.hasEncKey(); if (!hasEncKey) { this.platformUtilsService.showToast("error", null, this.i18nService.t("updateKey")); return; } this.newEmail = this.newEmail.trim().toLowerCase(); if (!this.tokenSent) { const request = new EmailTokenRequest(); request.newEmail = this.newEmail; request.masterPasswordHash = await this.cryptoService.hashPassword(this.masterPassword, null); try { this.formPromise = this.apiService.postEmailToken(request); await this.formPromise; this.tokenSent = true; } catch (e) { this.logService.error(e); } } else { const request = new EmailRequest(); request.token = this.token; request.newEmail = this.newEmail; request.masterPasswordHash = await this.cryptoService.hashPassword(this.masterPassword, null); const kdf = await this.stateService.getKdfType(); const kdfIterations = await this.stateService.getKdfIterations(); const newKey = await this.cryptoService.makeKey( this.masterPassword, this.newEmail, kdf, kdfIterations ); request.newMasterPasswordHash = await this.cryptoService.hashPassword( this.masterPassword, newKey ); const newEncKey = await this.cryptoService.remakeEncKey(newKey); request.key = newEncKey[1].encryptedString; try { this.formPromise = this.apiService.postEmail(request); await this.formPromise; this.reset(); this.platformUtilsService.showToast( "success", this.i18nService.t("emailChanged"), this.i18nService.t("logBackIn") ); this.messagingService.send("logout"); } catch (e) { this.logService.error(e); } } } reset() { this.token = this.newEmail = this.masterPassword = null; this.tokenSent = false; } }
bitwarden/web/src/app/settings/change-email.component.ts/0
{ "file_path": "bitwarden/web/src/app/settings/change-email.component.ts", "repo_id": "bitwarden", "token_count": 1338 }
173
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="confirmUserTitle"> <div class="modal-dialog modal-dialog-scrollable" role="document"> <form class="modal-content" #form (ngSubmit)="submit()" [appApiAction]="formPromise"> <div class="modal-header"> <h2 class="modal-title" id="confirmUserTitle"> {{ "confirmUser" | i18n }} <small class="text-muted" *ngIf="name">{{ name }}</small> </h2> <button type="button" class="close" data-dismiss="modal" appA11yTitle="{{ 'close' | i18n }}" > <span aria-hidden="true">&times;</span> </button> </div> <div class="modal-body"> <p> {{ "fingerprintEnsureIntegrityVerify" | i18n }} <a href="https://bitwarden.com/help/fingerprint-phrase/" target="_blank" rel="noopener"> {{ "learnMore" | i18n }}</a > </p> <p> <code>{{ fingerprint }}</code> </p> <div class="form-check"> <input class="form-check-input" type="checkbox" id="dontAskAgain" name="DontAskAgain" [(ngModel)]="dontAskAgain" /> <label class="form-check-label" for="dontAskAgain"> {{ "dontAskFingerprintAgain" | i18n }} </label> </div> </div> <div class="modal-footer"> <button type="submit" class="btn btn-primary btn-submit" [disabled]="form.loading"> <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i> <span>{{ "confirm" | 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/settings/emergency-access-confirm.component.html/0
{ "file_path": "bitwarden/web/src/app/settings/emergency-access-confirm.component.html", "repo_id": "bitwarden", "token_count": 959 }
174
import { Component, OnInit } from "@angular/core"; import { FormControl } from "@angular/forms"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { MessagingService } from "jslib-common/abstractions/messaging.service"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { StateService } from "jslib-common/abstractions/state.service"; import { VaultTimeoutService } from "jslib-common/abstractions/vaultTimeout.service"; import { ThemeType } from "jslib-common/enums/themeType"; import { Utils } from "jslib-common/misc/utils"; @Component({ selector: "app-preferences", templateUrl: "preferences.component.html", }) export class PreferencesComponent implements OnInit { vaultTimeoutAction = "lock"; disableIcons: boolean; enableGravatars: boolean; enableFullWidth: boolean; theme: ThemeType; locale: string; vaultTimeouts: { name: string; value: number }[]; localeOptions: any[]; themeOptions: any[]; vaultTimeout: FormControl = new FormControl(null); private startingLocale: string; private startingTheme: ThemeType; constructor( private stateService: StateService, private i18nService: I18nService, private vaultTimeoutService: VaultTimeoutService, private platformUtilsService: PlatformUtilsService, private messagingService: MessagingService ) { this.vaultTimeouts = [ { name: i18nService.t("oneMinute"), value: 1 }, { name: i18nService.t("fiveMinutes"), value: 5 }, { name: i18nService.t("fifteenMinutes"), value: 15 }, { name: i18nService.t("thirtyMinutes"), value: 30 }, { name: i18nService.t("oneHour"), value: 60 }, { name: i18nService.t("fourHours"), value: 240 }, { name: i18nService.t("onRefresh"), value: -1 }, ]; if (this.platformUtilsService.isDev()) { this.vaultTimeouts.push({ name: i18nService.t("never"), value: null }); } const localeOptions: any[] = []; i18nService.supportedTranslationLocales.forEach((locale) => { let name = locale; if (i18nService.localeNames.has(locale)) { name += " - " + i18nService.localeNames.get(locale); } localeOptions.push({ name: name, value: locale }); }); localeOptions.sort(Utils.getSortFunction(i18nService, "name")); localeOptions.splice(0, 0, { name: i18nService.t("default"), value: null }); this.localeOptions = localeOptions; this.themeOptions = [ { name: i18nService.t("themeLight"), value: ThemeType.Light }, { name: i18nService.t("themeDark"), value: ThemeType.Dark }, { name: i18nService.t("themeSystem"), value: ThemeType.System }, ]; } async ngOnInit() { this.vaultTimeout.setValue(await this.vaultTimeoutService.getVaultTimeout()); this.vaultTimeoutAction = await this.stateService.getVaultTimeoutAction(); this.disableIcons = await this.stateService.getDisableFavicon(); this.enableGravatars = await this.stateService.getEnableGravitars(); this.enableFullWidth = await this.stateService.getEnableFullWidth(); this.locale = (await this.stateService.getLocale()) ?? null; this.startingLocale = this.locale; this.theme = await this.stateService.getTheme(); this.startingTheme = this.theme; } async submit() { if (!this.vaultTimeout.valid) { this.platformUtilsService.showToast("error", null, this.i18nService.t("vaultTimeoutToLarge")); return; } await this.vaultTimeoutService.setVaultTimeoutOptions( this.vaultTimeout.value, this.vaultTimeoutAction ); await this.stateService.setDisableFavicon(this.disableIcons); await this.stateService.setEnableGravitars(this.enableGravatars); await this.stateService.setEnableFullWidth(this.enableFullWidth); this.messagingService.send("setFullWidth"); if (this.theme !== this.startingTheme) { await this.stateService.setTheme(this.theme); this.startingTheme = this.theme; const effectiveTheme = await this.platformUtilsService.getEffectiveTheme(); const htmlEl = window.document.documentElement; htmlEl.classList.remove("theme_" + ThemeType.Light, "theme_" + ThemeType.Dark); htmlEl.classList.add("theme_" + effectiveTheme); } await this.stateService.setLocale(this.locale); if (this.locale !== this.startingLocale) { window.location.reload(); } else { this.platformUtilsService.showToast( "success", null, this.i18nService.t("preferencesUpdated") ); } } async vaultTimeoutActionChanged(newValue: string) { if (newValue === "logOut") { const confirmed = await this.platformUtilsService.showDialog( this.i18nService.t("vaultTimeoutLogOutConfirmation"), this.i18nService.t("vaultTimeoutLogOutConfirmationTitle"), this.i18nService.t("yes"), this.i18nService.t("cancel"), "warning" ); if (!confirmed) { this.vaultTimeoutAction = "lock"; return; } } this.vaultTimeoutAction = newValue; } }
bitwarden/web/src/app/settings/preferences.component.ts/0
{ "file_path": "bitwarden/web/src/app/settings/preferences.component.ts", "repo_id": "bitwarden", "token_count": 1849 }
175
<td> {{ sponsoringOrg.familySponsorshipFriendlyName }} </td> <td>{{ sponsoringOrg.name }}</td> <td> <span [ngClass]="statusClass">{{ statusMessage }}</span> </td> <td class="table-action-right"> <div class="dropdown" appListDropdown> <button *ngIf="!sponsoringOrg.familySponsorshipToDelete" class="btn btn-outline-secondary dropdown-toggle" type="button" id="dropdownMenuButton" data-toggle="dropdown" aria-haspopup="true" aria-expanded="false" appA11yTitle="{{ 'options' | i18n }}" > <i class="bwi bwi-cog bwi-lg" aria-hidden="true"></i> </button> <div class="dropdown-menu dropdown-menu-right" aria-labelledby="dropdownMenuButton"> <button #resendEmailBtn *ngIf="!isSelfHosted && !sponsoringOrg.familySponsorshipValidUntil" [appApiAction]="resendEmailPromise" class="dropdown-item btn-submit" [disabled]="resendEmailBtn.loading" (click)="resendEmail()" [attr.aria-label]="'resendEmailLabel' | i18n: sponsoringOrg.familySponsorshipFriendlyName" > <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i> <span>{{ "resendEmail" | i18n }}</span> </button> <button #revokeSponsorshipBtn [appApiAction]="revokeSponsorshipPromise" class="dropdown-item text-danger btn-submit" [disabled]="revokeSponsorshipBtn.loading" (click)="revokeSponsorship()" [attr.aria-label]="'revokeAccount' | i18n: sponsoringOrg.familySponsorshipFriendlyName" > <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i> <span>{{ "remove" | i18n }}</span> </button> </div> </div> </td>
bitwarden/web/src/app/settings/sponsoring-org-row.component.html/0
{ "file_path": "bitwarden/web/src/app/settings/sponsoring-org-row.component.html", "repo_id": "bitwarden", "token_count": 790 }
176
<div class="tabbed-header"> <h1>{{ "twoStepLogin" | i18n }}</h1> </div> <p *ngIf="!organizationId">{{ "twoStepLoginDesc" | i18n }}</p> <p *ngIf="organizationId">{{ "twoStepLoginOrganizationDesc" | i18n }}</p> <bit-callout type="warning" *ngIf="!organizationId"> <p>{{ "twoStepLoginRecoveryWarning" | i18n }}</p> <button bitButton buttonType="secondary" (click)="recoveryCode()"> {{ "viewRecoveryCode" | i18n }} </button> </bit-callout> <h2 [ngClass]="{ 'mt-5': !organizationId }"> {{ "providers" | i18n }} <small *ngIf="loading"> <i class="bwi bwi-spinner bwi-spin bwi-fw text-muted" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> <span class="sr-only">{{ "loading" | i18n }}</span> </small> </h2> <bit-callout type="warning" *ngIf="showPolicyWarning"> {{ "twoStepLoginPolicyUserWarning" | i18n }} </bit-callout> <ul class="list-group list-group-2fa"> <li *ngFor="let p of providers" class="list-group-item d-flex align-items-center"> <div class="logo-2fa d-flex justify-content-center"> <img [class]="'mfaType' + p.type" [alt]="p.name + ' logo'" /> </div> <div class="mx-4"> <h3 class="mb-0"> {{ p.name }} <ng-container *ngIf="p.enabled"> <i class="bwi bwi-check text-success bwi-fw" title="{{ 'enabled' | i18n }}" aria-hidden="true" ></i> <span class="sr-only">{{ "enabled" | i18n }}</span> </ng-container> <app-premium-badge *ngIf="p.premium"></app-premium-badge> </h3> {{ p.description }} </div> <div class="ml-auto"> <button bitButton buttonType="secondary" [disabled]="!canAccessPremium && p.premium" (click)="manage(p.type)" > {{ "manage" | i18n }} </button> </div> </li> </ul> <ng-template #authenticatorTemplate></ng-template> <ng-template #recoveryTemplate></ng-template> <ng-template #duoTemplate></ng-template> <ng-template #emailTemplate></ng-template> <ng-template #yubikeyTemplate></ng-template> <ng-template #webAuthnTemplate></ng-template>
bitwarden/web/src/app/settings/two-factor-setup.component.html/0
{ "file_path": "bitwarden/web/src/app/settings/two-factor-setup.component.html", "repo_id": "bitwarden", "token_count": 961 }
177
<app-callout type="info" *ngIf="vaultTimeoutPolicy"> {{ "vaultTimeoutPolicyInEffect" | i18n: vaultTimeoutPolicyHours:vaultTimeoutPolicyMinutes }} </app-callout> <div [formGroup]="form"> <div class="form-group"> <label for="vaultTimeout">{{ "vaultTimeout" | i18n }}</label> <select id="vaultTimeout" name="VaultTimeout" formControlName="vaultTimeout" class="form-control" > <option *ngFor="let o of vaultTimeouts" [ngValue]="o.value">{{ o.name }}</option> </select> <small class="form-text text-muted">{{ "vaultTimeoutDesc" | i18n }}</small> </div> <div class="form-group" *ngIf="showCustom" formGroupName="custom"> <label for="customVaultTimeout">{{ "customVaultTimeout" | i18n }}</label> <div class="row"> <div class="col-6"> <input id="hours" class="form-control" type="number" min="0" name="hours" formControlName="hours" /> <small>{{ "hours" | i18n }}</small> </div> <div class="col-6"> <input id="minutes" class="form-control" type="number" min="0" name="minutes" formControlName="minutes" /> <small>{{ "minutes" | i18n }}</small> </div> </div> </div> </div>
bitwarden/web/src/app/settings/vault-timeout-input.component.html/0
{ "file_path": "bitwarden/web/src/app/settings/vault-timeout-input.component.html", "repo_id": "bitwarden", "token_count": 628 }
178
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="cipherAddEditTitle"> <div class="modal-dialog modal-dialog-scrollable modal-lg" role="document"> <form class="modal-content" #form (ngSubmit)="submit()" [appApiAction]="formPromise" ngNativeValidate autocomplete="off" > <div class="modal-header"> <h2 class="modal-title" id="cipherAddEditTitle">{{ title }}</h2> <button type="button" class="close" data-dismiss="modal" appA11yTitle="{{ 'close' | i18n }}" > <span aria-hidden="true">&times;</span> </button> </div> <div class="modal-body" *ngIf="cipher"> <app-callout type="info" *ngIf="allowOwnershipAssignment() && !allowPersonal"> {{ "personalOwnershipPolicyInEffect" | i18n }} </app-callout> <div class="row" *ngIf="!editMode && !viewOnly"> <div class="col-6 form-group"> <label for="type">{{ "whatTypeOfItem" | i18n }}</label> <select id="type" name="Type" [(ngModel)]="cipher.type" class="form-control" [disabled]="cipher.isDeleted" appAutofocus > <option *ngFor="let o of typeOptions" [ngValue]="o.value">{{ o.name }}</option> </select> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="name">{{ "name" | i18n }}</label> <input id="name" class="form-control" type="text" name="Name" [(ngModel)]="cipher.name" required [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-6 form-group" *ngIf="!organization"> <label for="folder">{{ "folder" | i18n }}</label> <select id="folder" name="FolderId" [(ngModel)]="cipher.folderId" class="form-control" [disabled]="cipher.isDeleted || viewOnly" > <option *ngFor="let f of folders" [ngValue]="f.id">{{ f.name }}</option> </select> </div> </div> <!-- Login --> <ng-container *ngIf="cipher.type === cipherType.Login"> <div class="row"> <div class="col-6 form-group"> <label for="loginUsername">{{ "username" | i18n }}</label> <div class="input-group"> <input id="loginUsername" class="form-control" type="text" name="Login.Username" [(ngModel)]="cipher.login.username" appInputVerbatim [disabled]="cipher.isDeleted || viewOnly" /> <div class="input-group-append" *ngIf="!cipher.isDeleted"> <button type="button" class="btn btn-outline-secondary" appA11yTitle="{{ 'copyUsername' | i18n }}" (click)="copy(cipher.login.username, 'username', 'Username')" > <i class="bwi bwi-lg bwi-clone" aria-hidden="true"></i> </button> </div> </div> </div> <div class="col-6 form-group"> <div class="d-flex"> <label for="loginPassword">{{ "password" | i18n }}</label> <div class="ml-auto d-flex" *ngIf="!cipher.isDeleted && !viewOnly"> <a href="#" class="d-block mr-2 bwi-icon-above-input" appStopClick appA11yTitle="{{ 'generatePassword' | i18n }}" (click)="generatePassword()" *ngIf="cipher.viewPassword" > <i class="bwi bwi-lg bwi-fw bwi-generate" aria-hidden="true"></i> </a> <a href="#" class="d-block bwi-icon-above-input" #checkPasswordBtn appStopClick appA11yTitle="{{ 'checkPassword' | i18n }}" (click)="checkPassword()" [appApiAction]="checkPasswordPromise" > <i class="bwi bwi-lg bwi-fw bwi-check-circle" [hidden]="checkPasswordBtn.loading" aria-hidden="true" ></i> <i class="bwi bwi-lg bwi-fw bwi-spinner bwi-spin" aria-hidden="true" [hidden]="!checkPasswordBtn.loading" title="{{ 'loading' | i18n }}" ></i> </a> </div> </div> <div class="input-group"> <input id="loginPassword" class="form-control text-monospace" type="{{ showPassword ? 'text' : 'password' }}" name="Login.Password" [(ngModel)]="cipher.login.password" appInputVerbatim autocomplete="new-password" [disabled]="cipher.isDeleted || !cipher.viewPassword || viewOnly" /> <div class="input-group-append"> <button type="button" class="btn btn-outline-secondary" appA11yTitle="{{ 'toggleVisibility' | i18n }}" (click)="togglePassword()" [disabled]="!cipher.viewPassword" > <i class="bwi bwi-lg" aria-hidden="true" [ngClass]="{ 'bwi-eye': !showPassword, 'bwi-eye-slash': showPassword }" ></i> </button> <button type="button" class="btn btn-outline-secondary" appA11yTitle="{{ 'copyPassword' | i18n }}" (click)="copy(cipher.login.password, 'password', 'Password')" [disabled]="!cipher.viewPassword" > <i class="bwi bwi-lg bwi-clone" aria-hidden="true"></i> </button> </div> </div> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="loginTotp">{{ "authenticatorKeyTotp" | i18n }}</label> <input id="loginTotp" type="{{ cipher.viewPassword ? 'text' : 'password' }}" name="Login.Totp" class="form-control text-monospace" [(ngModel)]="cipher.login.totp" appInputVerbatim [disabled]="cipher.isDeleted || !cipher.viewPassword || viewOnly" /> </div> <div class="col-6 form-group totp d-flex align-items-end" [ngClass]="{ low: totpLow }"> <div *ngIf="!cipher.login.totp || !totpCode"> <img src="../../images/totp-countdown.png" id="totpImage" title="{{ 'verificationCodeTotp' | i18n }}" class="ml-2" /> <app-premium-badge *ngIf="!organization && !cipher.organizationId" class="ml-3" ></app-premium-badge> <a href="#" appStopClick class="badge badge-primary ml-3" (click)="upgradeOrganization()" *ngIf=" (organization && !organization.useTotp) || (!organization && !canAccessPremium && cipher.organizationId && !cipher.organizationUseTotp) " > {{ "upgrade" | i18n }} </a> </div> <div *ngIf="cipher.login.totp && totpCode" class="d-flex align-items-center"> <span class="totp-countdown mr-3 ml-2"> <span class="totp-sec">{{ totpSec }}</span> <svg> <g> <circle class="totp-circle inner" r="12.6" cy="16" cx="16" [ngStyle]="{ 'stroke-dashoffset.px': totpDash }" ></circle> <circle class="totp-circle outer" r="14" cy="16" cx="16"></circle> </g> </svg> </span> <span class="totp-code mr-2" title="{{ 'verificationCodeTotp' | i18n }}">{{ totpCodeFormatted }}</span> <button type="button" class="btn btn-link" appA11yTitle="{{ 'copyVerificationCode' | i18n }}" (click)="copy(totpCode, 'verificationCodeTotp', 'TOTP')" > <i class="bwi bwi-clone" aria-hidden="true"></i> </button> </div> </div> </div> <ng-container *ngIf="cipher.login.hasUris"> <div class="row" *ngFor="let u of cipher.login.uris; let i = index; trackBy: trackByFunction" > <div class="col-7 form-group"> <label for="loginUri{{ i }}">{{ "uriPosition" | i18n: i + 1 }}</label> <div class="input-group"> <input class="form-control" id="loginUri{{ i }}" type="text" name="Login.Uris[{{ i }}].Uri" [(ngModel)]="u.uri" [disabled]="cipher.isDeleted || viewOnly" placeholder="{{ 'ex' | i18n }} https://google.com" appInputVerbatim /> <div class="input-group-append"> <button type="button" class="btn btn-outline-secondary" appA11yTitle="{{ 'launch' | i18n }}" (click)="launch(u)" [disabled]="!u.canLaunch" > <i class="bwi bwi-lg bwi-share-square" aria-hidden="true"></i> </button> <button type="button" class="btn btn-outline-secondary" appA11yTitle="{{ 'copyUri' | i18n }}" (click)="copy(u.uri, 'uri', 'URI')" > <i class="bwi bwi-lg bwi-clone" aria-hidden="true"></i> </button> </div> </div> </div> <div class="col-5 form-group"> <div class="d-flex"> <label for="loginUriMatch{{ i }}"> {{ "matchDetection" | i18n }} </label> <a class="ml-auto" href="https://bitwarden.com/help/uri-match-detection/" target="_blank" rel="noopener" appA11yTitle="{{ 'learnMore' | i18n }}" > <i class="bwi bwi-question-circle" aria-hidden="true"></i> </a> </div> <div class="d-flex"> <select class="form-control overflow-hidden" id="loginUriMatch{{ i }}" name="Login.Uris[{{ i }}].Match" [(ngModel)]="u.match" (change)="loginUriMatchChanged(u)" [disabled]="cipher.isDeleted || viewOnly" > <option *ngFor="let o of uriMatchOptions" [ngValue]="o.value"> {{ o.name }} </option> </select> <button type="button" class="btn btn-link text-danger ml-2" (click)="removeUri(u)" appA11yTitle="{{ 'remove' | i18n }}" *ngIf="!cipher.isDeleted && !viewOnly" > <i class="bwi bwi-minus-circle bwi-lg" aria-hidden="true"></i> </button> </div> </div> </div> </ng-container> <a href="#" appStopClick (click)="addUri()" class="d-inline-block mb-3" *ngIf="!cipher.isDeleted && !viewOnly" > <i class="bwi bwi-plus-circle bwi-fw" aria-hidden="true"></i> {{ "newUri" | i18n }} </a> </ng-container> <!-- Card --> <ng-container *ngIf="cipher.type === cipherType.Card"> <div class="row"> <div class="col-6 form-group"> <label for="cardCardholderName">{{ "cardholderName" | i18n }}</label> <input id="cardCardholderName" class="form-control" type="text" name="Card.CardCardholderName" [(ngModel)]="cipher.card.cardholderName" [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-6 form-group"> <label for="cardBrand">{{ "brand" | i18n }}</label> <select id="cardBrand" class="form-control" name="Card.Brand" [(ngModel)]="cipher.card.brand" [disabled]="cipher.isDeleted || viewOnly" > <option *ngFor="let o of cardBrandOptions" [ngValue]="o.value">{{ o.name }}</option> </select> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="cardNumber">{{ "number" | i18n }}</label> <div class="input-group"> <input id="cardNumber" class="form-control text-monospace" type="{{ showCardNumber ? 'text' : 'password' }}" name="Card.Number" [(ngModel)]="cipher.card.number" appInputVerbatim autocomplete="new-password" [disabled]="cipher.isDeleted || viewOnly" /> <div class="input-group-append"> <button type="button" class="btn btn-outline-secondary" appA11yTitle="{{ 'toggleVisibility' | i18n }}" (click)="toggleCardNumber()" > <i class="bwi bwi-lg" aria-hidden="true" [ngClass]="{ 'bwi-eye': !showCardNumber, 'bwi-eye-slash': showCardNumber }" ></i> </button> <button type="button" class="btn btn-outline-secondary" appA11yTitle="{{ 'copyNumber' | i18n }}" (click)="copy(cipher.card.number, 'number', 'Number')" > <i class="bwi bwi-lg bwi-clone" aria-hidden="true"></i> </button> </div> </div> </div> <div class="col form-group"> <label for="cardExpMonth">{{ "expirationMonth" | i18n }}</label> <select id="cardExpMonth" class="form-control" name="Card.ExpMonth" [(ngModel)]="cipher.card.expMonth" [disabled]="cipher.isDeleted || viewOnly" > <option *ngFor="let o of cardExpMonthOptions" [ngValue]="o.value"> {{ o.name }} </option> </select> </div> <div class="col form-group"> <label for="cardExpYear">{{ "expirationYear" | i18n }}</label> <input id="cardExpYear" class="form-control" type="text" name="Card.ExpYear" [(ngModel)]="cipher.card.expYear" placeholder="{{ 'ex' | i18n }} 2019" [disabled]="cipher.isDeleted || viewOnly" /> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="cardCode">{{ "securityCode" | i18n }}</label> <div class="input-group"> <input id="cardCode" class="form-control text-monospace" type="{{ showCardCode ? 'text' : 'password' }}" name="Card.Code" [(ngModel)]="cipher.card.code" appInputVerbatim autocomplete="new-password" [disabled]="cipher.isDeleted || viewOnly" /> <div class="input-group-append"> <button type="button" class="btn btn-outline-secondary" appA11yTitle="{{ 'toggleVisibility' | i18n }}" (click)="toggleCardCode()" > <i class="bwi bwi-lg" aria-hidden="true" [ngClass]="{ 'bwi-eye': !showCardCode, 'bwi-eye-slash': showCardCode }" ></i> </button> <button type="button" class="btn btn-outline-secondary" appA11yTitle="{{ 'securityCode' | i18n }}" (click)="copy(cipher.card.code, 'securityCode', 'Security Code')" > <i class="bwi bwi-lg bwi-clone" aria-hidden="true"></i> </button> </div> </div> </div> </div> </ng-container> <!-- Identity --> <ng-container *ngIf="cipher.type === cipherType.Identity"> <div class="row"> <div class="col-4 form-group"> <label for="idTitle">{{ "title" | i18n }}</label> <select id="idTitle" class="form-control" name="Identity.Title" [(ngModel)]="cipher.identity.title" [disabled]="cipher.isDeleted || viewOnly" > <option *ngFor="let o of identityTitleOptions" [ngValue]="o.value"> {{ o.name }} </option> </select> </div> </div> <div class="row"> <div class="col-4 form-group"> <label for="idFirstName">{{ "firstName" | i18n }}</label> <input id="idFirstName" class="form-control" type="text" name="Identity.FirstName" [(ngModel)]="cipher.identity.firstName" [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-4 form-group"> <label for="idMiddleName">{{ "middleName" | i18n }}</label> <input id="idMiddleName" class="form-control" type="text" name="Identity.MiddleName" [(ngModel)]="cipher.identity.middleName" [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-4 form-group"> <label for="idLastName">{{ "lastName" | i18n }}</label> <input id="idLastName" class="form-control" type="text" name="Identity.LastName" [(ngModel)]="cipher.identity.lastName" [disabled]="cipher.isDeleted || viewOnly" /> </div> </div> <div class="row"> <div class="col-4 form-group"> <label for="idUsername">{{ "username" | i18n }}</label> <input id="idUsername" class="form-control" type="text" name="Identity.Username" [(ngModel)]="cipher.identity.username" appInputVerbatim [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-4 form-group"> <label for="idCompany">{{ "company" | i18n }}</label> <input id="idCompany" class="form-control" type="text" name="Identity.Company" [(ngModel)]="cipher.identity.company" [disabled]="cipher.isDeleted || viewOnly" /> </div> </div> <div class="row"> <div class="col-4 form-group"> <label for="idSsn">{{ "ssn" | i18n }}</label> <input id="idSsn" class="form-control" type="text" name="Identity.SSN" [(ngModel)]="cipher.identity.ssn" appInputVerbatim [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-4 form-group"> <label for="idPassportNumber">{{ "passportNumber" | i18n }}</label> <input id="idPassportNumber" class="form-control" type="text" name="Identity.PassportNumber" [(ngModel)]="cipher.identity.passportNumber" appInputVerbatim [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-4 form-group"> <label for="idLicenseNumber">{{ "licenseNumber" | i18n }}</label> <input id="idLicenseNumber" class="form-control" type="text" name="Identity.LicenseNumber" [(ngModel)]="cipher.identity.licenseNumber" appInputVerbatim [disabled]="cipher.isDeleted || viewOnly" /> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="idEmail">{{ "email" | i18n }}</label> <input id="idEmail" class="form-control" type="text" inputmode="email" name="Identity.Email" [(ngModel)]="cipher.identity.email" appInputVerbatim [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-6 form-group"> <label for="idPhone">{{ "phone" | i18n }}</label> <input id="idPhone" class="form-control" type="text" inputmode="tel" name="Identity.Phone" [(ngModel)]="cipher.identity.phone" [disabled]="cipher.isDeleted || viewOnly" /> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="idAddress1">{{ "address1" | i18n }}</label> <input id="idAddress1" class="form-control" type="text" name="Identity.Address1" [(ngModel)]="cipher.identity.address1" [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-6 form-group"> <label for="idAddress2">{{ "address2" | i18n }}</label> <input id="idAddress2" class="form-control" type="text" name="Identity.Address2" [(ngModel)]="cipher.identity.address2" [disabled]="cipher.isDeleted || viewOnly" /> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="idAddress3">{{ "address3" | i18n }}</label> <input id="idAddress3" class="form-control" type="text" name="Identity.Address3" [(ngModel)]="cipher.identity.address3" [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-6 form-group"> <label for="idCity">{{ "cityTown" | i18n }}</label> <input id="idCity" class="form-control" type="text" name="Identity.City" [(ngModel)]="cipher.identity.city" [disabled]="cipher.isDeleted || viewOnly" /> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="idState">{{ "stateProvince" | i18n }}</label> <input id="idState" class="form-control" type="text" name="Identity.State" [(ngModel)]="cipher.identity.state" [disabled]="cipher.isDeleted || viewOnly" /> </div> <div class="col-6 form-group"> <label for="idPostalCode">{{ "zipPostalCode" | i18n }}</label> <input id="idPostalCode" class="form-control" type="text" name="Identity.PostalCode" [(ngModel)]="cipher.identity.postalCode" [disabled]="cipher.isDeleted || viewOnly" /> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="idCountry">{{ "country" | i18n }}</label> <input id="idCountry" class="form-control" type="text" name="Identity.Country" [(ngModel)]="cipher.identity.country" [disabled]="cipher.isDeleted || viewOnly" /> </div> </div> </ng-container> <div class="form-group"> <label for="notes">{{ "notes" | i18n }}</label> <textarea id="notes" name="Notes" rows="6" [(ngModel)]="cipher.notes" [disabled]="cipher.isDeleted || viewOnly" class="form-control" ></textarea> </div> <app-vault-add-edit-custom-fields [cipher]="cipher" [thisCipherType]="cipher.type" [viewOnly]="viewOnly" [copy]="copy.bind(this)" ></app-vault-add-edit-custom-fields> <ng-container *ngIf="allowOwnershipAssignment()"> <h3 class="mt-4">{{ "ownership" | i18n }}</h3> <div class="row"> <div class="col-5"> <label for="organizationId">{{ "whoOwnsThisItem" | i18n }}</label> <select id="organizationId" class="form-control" name="OrganizationId" [(ngModel)]="cipher.organizationId" (change)="organizationChanged()" [disabled]="cipher.isDeleted || viewOnly" > <option *ngFor="let o of ownershipOptions" [ngValue]="o.value">{{ o.name }}</option> </select> </div> </div> </ng-container> <ng-container *ngIf="(!editMode || cloneMode) && cipher.organizationId"> <h3 class="mt-4">{{ "collections" | i18n }}</h3> <div *ngIf="!collections || !collections.length"> {{ "noCollectionsInList" | i18n }} </div> <ng-container *ngIf="collections && collections.length"> <div class="form-check" *ngFor="let c of collections; let i = index"> <input class="form-check-input" type="checkbox" [(ngModel)]="c.checked" id="collection-{{ i }}" name="Collection[{{ i }}].Checked" [disabled]="cipher.isDeleted || viewOnly" /> <label class="form-check-label" for="collection-{{ i }}">{{ c.name }}</label> </div> </ng-container> </ng-container> <ng-container *ngIf="editMode"> <div class="small text-muted mt-4"> <div> <b class="font-weight-semibold">{{ "dateUpdated" | i18n }}:</b> {{ cipher.revisionDate | date: "medium" }} </div> <div *ngIf="showRevisionDate"> <b class="font-weight-semibold">{{ "datePasswordUpdated" | i18n }}:</b> {{ cipher.passwordRevisionDisplayDate | date: "medium" }} </div> <div *ngIf="hasPasswordHistory"> <b class="font-weight-semibold">{{ "passwordHistory" | i18n }}:</b> <a href="#" appStopClick (click)="viewHistory()" title="{{ 'view' | i18n }}"> {{ cipher.passwordHistory.length }} </a> </div> <div class="ml-3" *ngIf="viewingPasswordHistory"> <div *ngFor="let ph of cipher.passwordHistory"> {{ ph.lastUsedDate | date: "short" }} - <span class="generated-wrapper text-monospace ml-2">{{ ph.password }}</span> </div> </div> </div> </ng-container> <ng-container *ngIf="canUseReprompt"> <h3 class="mt-4">{{ "options" | i18n }}</h3> <div class="form-check"> <input class="form-check-input" type="checkbox" [ngModel]="reprompt" (change)="repromptChanged()" id="passwordPrompt" name="passwordPrompt" [disabled]="cipher.isDeleted || viewOnly" /> <label class="form-check-label" for="passwordPrompt">{{ "passwordPrompt" | i18n }}</label> <a target="_blank" rel="noopener" appA11yTitle="{{ 'learnMore' | i18n }}" href="https://bitwarden.com/help/managing-items/#protect-individual-items" > <i class="bwi bwi-question-circle" aria-hidden="true"></i> </a> </div> </ng-container> </div> <div class="modal-footer"> <button type="submit" class="btn btn-primary btn-submit" [disabled]="form.loading" *ngIf="!viewOnly" > <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i> <span>{{ (cipher?.isDeleted ? "restore" : "save") | i18n }}</span> </button> <button type="button" class="btn btn-outline-secondary" data-dismiss="modal"> {{ (viewOnly ? "close" : "cancel") | i18n }} </button> <div class="ml-auto" *ngIf="cipher && !viewOnly"> <button *ngIf="!organization && !cipher.isDeleted" type="button" (click)="toggleFavorite()" class="btn btn-link" appA11yTitle="{{ (cipher.favorite ? 'unfavorite' : 'favorite') | i18n }}" > <i class="bwi bwi-lg" [ngClass]="{ 'bwi-star-f': cipher.favorite, 'bwi-star': !cipher.favorite }" aria-hidden="true" ></i> </button> <button #deleteBtn type="button" (click)="delete()" class="btn btn-outline-danger" appA11yTitle="{{ (cipher.isDeleted ? 'permanentlyDelete' : 'delete') | i18n }}" *ngIf="editMode && !cloneMode" [disabled]="deleteBtn.loading" [appApiAction]="deletePromise" > <i class="bwi bwi-trash bwi-lg bwi-fw" [hidden]="deleteBtn.loading" aria-hidden="true" ></i> <i class="bwi bwi-spinner bwi-spin bwi-lg bwi-fw" [hidden]="!deleteBtn.loading" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> </button> </div> </div> </form> </div> </div>
bitwarden/web/src/app/vault/add-edit.component.html/0
{ "file_path": "bitwarden/web/src/app/vault/add-edit.component.html", "repo_id": "bitwarden", "token_count": 20064 }
179
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="collectionsTitle"> <div class="modal-dialog modal-dialog-scrollable" role="document"> <form class="modal-content" #form (ngSubmit)="submit()" [appApiAction]="formPromise"> <div class="modal-header"> <h2 class="modal-title" id="collectionsTitle"> {{ "collections" | i18n }} <small *ngIf="cipher">{{ cipher.name }}</small> </h2> <button type="button" class="close" data-dismiss="modal" appA11yTitle="{{ 'close' | i18n }}" > <span aria-hidden="true">&times;</span> </button> </div> <div class="modal-body"> <p>{{ "collectionsDesc" | i18n }}</p> <div class="d-flex"> <h3>{{ "collections" | i18n }}</h3> <div class="ml-auto d-flex" *ngIf="collections && collections.length"> <button type="button" (click)="selectAll(true)" class="btn btn-link btn-sm py-0"> {{ "selectAll" | i18n }} </button> <button type="button" (click)="selectAll(false)" class="btn btn-link btn-sm py-0"> {{ "unselectAll" | i18n }} </button> </div> </div> <div *ngIf="!collections || !collections.length"> {{ "noCollectionsInList" | i18n }} </div> <table class="table table-hover table-list mb-0" *ngIf="collections && collections.length"> <tbody> <tr *ngFor="let c of collections; let i = index" (click)="check(c)"> <td class="table-list-checkbox"> <input type="checkbox" [(ngModel)]="c.checked" name="Collection[{{ i }}].Checked" appStopProp /> </td> <td> {{ c.name }} </td> </tr> </tbody> </table> </div> <div class="modal-footer"> <button type="submit" class="btn btn-primary btn-submit" [disabled]="form.loading"> <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i> <span>{{ "save" | i18n }}</span> </button> <button type="button" class="btn btn-outline-secondary" data-dismiss="modal"> {{ "cancel" | i18n }} </button> </div> </form> </div> </div>
bitwarden/web/src/app/vault/collections.component.html/0
{ "file_path": "bitwarden/web/src/app/vault/collections.component.html", "repo_id": "bitwarden", "token_count": 1277 }
180
html, body { margin: 0; padding: 0; } body { background: #efeff4 url("../images/loading.svg") 0 0 no-repeat; } iframe { display: block; width: 100%; height: 400px; border: none; margin: 0; padding: 0; }
bitwarden/web/src/connectors/duo.scss/0
{ "file_path": "bitwarden/web/src/connectors/duo.scss", "repo_id": "bitwarden", "token_count": 93 }
181
{ "pageTitle": { "message": "$APP_NAME$ Web-Tresor", "description": "The title of the website in the browser window.", "placeholders": { "app_name": { "content": "$1", "example": "Bitwarden" } } }, "whatTypeOfItem": { "message": "Um welche Art von Eintrag handelt es sich hierbei?" }, "name": { "message": "Name" }, "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": "Neue URL" }, "username": { "message": "Benutzername" }, "password": { "message": "Passwort" }, "newPassword": { "message": "Neues Passwort" }, "passphrase": { "message": "Passphrase" }, "notes": { "message": "Notizen" }, "customFields": { "message": "Benutzerdefinierte Felder" }, "cardholderName": { "message": "Name des Karteninhabers" }, "number": { "message": "Nummer" }, "brand": { "message": "Marke" }, "expiration": { "message": "Ablaufdatum" }, "securityCode": { "message": "Kartenprüfnummer (CVV)" }, "identityName": { "message": "Identitätsname" }, "company": { "message": "Firma" }, "ssn": { "message": "Sozialversicherungsnummer" }, "passportNumber": { "message": "Reisepassnummer" }, "licenseNumber": { "message": "Lizenznummer" }, "email": { "message": "E-Mail" }, "phone": { "message": "Telefon" }, "january": { "message": "Januar" }, "february": { "message": "Februar" }, "march": { "message": "März" }, "april": { "message": "April" }, "may": { "message": "Mai" }, "june": { "message": "Juni" }, "july": { "message": "Juli" }, "august": { "message": "August" }, "september": { "message": "September" }, "october": { "message": "Oktober" }, "november": { "message": "November" }, "december": { "message": "Dezember" }, "title": { "message": "Titel" }, "mr": { "message": "Herr" }, "mrs": { "message": "Frau" }, "ms": { "message": "Fr." }, "dr": { "message": "Dr." }, "expirationMonth": { "message": "Ablaufmonat" }, "expirationYear": { "message": "Ablaufjahr" }, "authenticatorKeyTotp": { "message": "Authentifizierungsschlüssel (TOTP)" }, "folder": { "message": "Ordner" }, "newCustomField": { "message": "Neues benutzerdefiniertes Feld" }, "value": { "message": "Wert" }, "dragToSort": { "message": "Zum Sortieren ziehen" }, "cfTypeText": { "message": "Text" }, "cfTypeHidden": { "message": "Versteckt" }, "cfTypeBoolean": { "message": "Boolescher Wert" }, "cfTypeLinked": { "message": "Verknüpft", "description": "This describes a field that is 'linked' (related) to another field." }, "remove": { "message": "Entfernen" }, "unassigned": { "message": "Nicht zugeordnet" }, "noneFolder": { "message": "Kein Ordner", "description": "This is the folder for uncategorized items" }, "addFolder": { "message": "Ordner hinzufügen" }, "editFolder": { "message": "Ordner bearbeiten" }, "baseDomain": { "message": "Basisdomäne", "description": "Domain name. Ex. website.com" }, "domainName": { "message": "Domain-Name", "description": "Domain name. Ex. website.com" }, "host": { "message": "Host", "description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'." }, "exact": { "message": "Genau" }, "startsWith": { "message": "Beginnt mit" }, "regEx": { "message": "Regulärer Ausdruck", "description": "A programming term, also known as 'RegEx'." }, "matchDetection": { "message": "Übereinstimmungserkennung", "description": "URI match detection for auto-fill." }, "defaultMatchDetection": { "message": "Standard Übereinstimmungserkennung", "description": "Default URI match detection for auto-fill." }, "never": { "message": "Niemals" }, "toggleVisibility": { "message": "Sichtbarkeit umschalten" }, "toggleCollapse": { "message": "Sammlung ein- / ausklappen", "description": "Toggling an expand/collapse state." }, "generatePassword": { "message": "Passwort generieren" }, "checkPassword": { "message": "Überprüfen ob ihr Kennwort kompromittiert ist." }, "passwordExposed": { "message": "Dieses Kennwort wurde $VALUE$ -mal in öffentlichen Passwortdatenbanken gefunden. Sie sollten es ändern.", "placeholders": { "value": { "content": "$1", "example": "2" } } }, "passwordSafe": { "message": "Dieses Kennwort wurde in keinen bekannten Datendiebstählen gefunden. Es sollte sicher sein." }, "save": { "message": "Speichern" }, "cancel": { "message": "Abbrechen" }, "canceled": { "message": "Abgebrochen" }, "close": { "message": "Schließen" }, "delete": { "message": "Löschen" }, "favorite": { "message": "Favorit" }, "unfavorite": { "message": "Aus Favoriten entfernen" }, "edit": { "message": "Bearbeiten" }, "searchCollection": { "message": "Sammlung durchsuchen" }, "searchFolder": { "message": "Ordner durchsuchen" }, "searchFavorites": { "message": "Favoriten durchsuchen" }, "searchType": { "message": "Suchmodus", "description": "Search item type" }, "searchVault": { "message": "Tresor durchsuchen" }, "allItems": { "message": "Alle Einträge" }, "favorites": { "message": "Favoriten" }, "types": { "message": "Typen" }, "typeLogin": { "message": "Anmeldung" }, "typeCard": { "message": "Karte" }, "typeIdentity": { "message": "Identität" }, "typeSecureNote": { "message": "Sichere Notiz" }, "typeLoginPlural": { "message": "Zugangsdaten" }, "typeCardPlural": { "message": "Karten" }, "typeIdentityPlural": { "message": "Identitäten" }, "typeSecureNotePlural": { "message": "Sichere Notizen" }, "folders": { "message": "Ordner" }, "collections": { "message": "Sammlungen" }, "firstName": { "message": "Vorname" }, "middleName": { "message": "Zweitname" }, "lastName": { "message": "Nachname" }, "fullName": { "message": "Vollständiger Name" }, "address1": { "message": "Adresse 1" }, "address2": { "message": "Adresse 2" }, "address3": { "message": "Adresse 3" }, "cityTown": { "message": "Stadt" }, "stateProvince": { "message": "Bundesland" }, "zipPostalCode": { "message": "Postleitzahl" }, "country": { "message": "Land" }, "shared": { "message": "Geteilt" }, "attachments": { "message": "Anhänge" }, "select": { "message": "Auswählen" }, "addItem": { "message": "Eintrag hinzufügen" }, "editItem": { "message": "Eintrag bearbeiten" }, "viewItem": { "message": "Eintrag anzeigen" }, "ex": { "message": "Bsp.", "description": "Short abbreviation for 'example'." }, "other": { "message": "Sonstiges" }, "share": { "message": "Teilen" }, "moveToOrganization": { "message": "In Organisation verschieben" }, "valueCopied": { "message": "$VALUE$ kopiert", "description": "Value has been copied to the clipboard.", "placeholders": { "value": { "content": "$1", "example": "Password" } } }, "copyValue": { "message": "Wert kopieren", "description": "Copy value to clipboard" }, "copyPassword": { "message": "Passwort kopieren", "description": "Copy password to clipboard" }, "copyUsername": { "message": "Benutzernamen kopieren", "description": "Copy username to clipboard" }, "copyNumber": { "message": "Nummer kopieren", "description": "Copy credit card number" }, "copySecurityCode": { "message": "Sicherheitscode kopieren", "description": "Copy credit card security code (CVV)" }, "copyUri": { "message": "URI kopieren", "description": "Copy URI to clipboard" }, "myVault": { "message": "Mein Tresor" }, "vault": { "message": "Tresor" }, "moveSelectedToOrg": { "message": "Auswahl zur Organisation verschieben" }, "deleteSelected": { "message": "Auswahl löschen" }, "moveSelected": { "message": "Auswahl verschieben" }, "selectAll": { "message": "Alle auswählen" }, "unselectAll": { "message": "Alle abwählen" }, "launch": { "message": "Starten" }, "newAttachment": { "message": "Neuen Anhang hinzufügen" }, "deletedAttachment": { "message": "Gelöschter Anhang" }, "deleteAttachmentConfirmation": { "message": "Möchten Sie diesen Anhang wirklich löschen?" }, "attachmentSaved": { "message": "Der Anhang wurde gespeichert." }, "file": { "message": "Datei" }, "selectFile": { "message": "Wähle eine Datei." }, "maxFileSize": { "message": "Die maximale Dateigröße beträgt 500 MB." }, "updateKey": { "message": "Sie können diese Funktion nicht nutzen, bevor Sie Ihren Verschlüsselungscode aktualisiert haben." }, "addedItem": { "message": "Eintrag hinzugefügt" }, "editedItem": { "message": "Eintrag bearbeitet" }, "movedItemToOrg": { "message": "$ITEMNAME$ verschoben nach $ORGNAME$", "placeholders": { "itemname": { "content": "$1", "example": "Secret Item" }, "orgname": { "content": "$2", "example": "Company Name" } } }, "movedItemsToOrg": { "message": "Ausgewählte Einträge nach $ORGNAME$ verschoben", "placeholders": { "orgname": { "content": "$1", "example": "Company Name" } } }, "deleteItem": { "message": "Eintrag löschen" }, "deleteFolder": { "message": "Ordner löschen" }, "deleteAttachment": { "message": "Anhang löschen" }, "deleteItemConfirmation": { "message": "Soll dieser Eintrag wirklich gelöscht werden?" }, "deletedItem": { "message": "Element gelöscht" }, "deletedItems": { "message": "Elemente gelöscht" }, "movedItems": { "message": "Verschobene Einträge" }, "overwritePasswordConfirmation": { "message": "Sind Sie sicher, dass Sie das aktuelle Passwort überschreiben möchten?" }, "editedFolder": { "message": "Ordner bearbeitet" }, "addedFolder": { "message": "Ordner hinzugefügt" }, "deleteFolderConfirmation": { "message": "Soll dieser Ordner wirklich gelöscht werden?" }, "deletedFolder": { "message": "Ordner gelöscht" }, "loggedOut": { "message": "Ausgeloggt" }, "loginExpired": { "message": "Ihre Anmeldungsitzung ist abgelaufen." }, "logOutConfirmation": { "message": "Wollen Sie sich wirklich abmelden?" }, "logOut": { "message": "Abmelden" }, "ok": { "message": "Ok" }, "yes": { "message": "Ja" }, "no": { "message": "Nein" }, "loginOrCreateNewAccount": { "message": "Sie müssen sich anmelden oder ein neues Konto erstellen, um auf den Tresor zugreifen zu können." }, "createAccount": { "message": "Konto erstellen" }, "logIn": { "message": "Anmelden" }, "submit": { "message": "Absenden" }, "emailAddressDesc": { "message": "Verwenden Sie Ihre E-Mail-Adresse zur Anmeldung." }, "yourName": { "message": "Ihr Name" }, "yourNameDesc": { "message": "Wie sollen wir Sie nennen?" }, "masterPass": { "message": "Master-Passwort" }, "masterPassDesc": { "message": "Das Master-Passwort wird verwendet, um den Tresor zu öffnen. Es ist sehr wichtig, dass Sie das Passwort nicht vergessen, da es keine Möglichkeit gibt es zurückzusetzen." }, "masterPassHintDesc": { "message": "Ein Master-Passwort-Hinweis kann Ihnen helfen, sich an das Passwort zu erinnern, wenn Sie es vergessen haben sollten." }, "reTypeMasterPass": { "message": "Master-Passwort wiederholen" }, "masterPassHint": { "message": "Master-Passwort-Hinweis (optional)" }, "masterPassHintLabel": { "message": "Master-Passwort-Hinweis" }, "settings": { "message": "Einstellungen" }, "passwordHint": { "message": "Passwort-Hinweis" }, "enterEmailToGetHint": { "message": "Geben Sie die E-Mail Adresse Ihres Kontos ein, um einen Hinweis auf ihr Master-Passwort zu erhalten." }, "getMasterPasswordHint": { "message": "Hinweis zum Master-Passwort erhalten" }, "emailRequired": { "message": "Die E-Mail Adresse wird benötigt." }, "invalidEmail": { "message": "Ungültige E-Mail Adresse." }, "masterPassRequired": { "message": "Das Master-Passwort ist erforderlich." }, "masterPassLength": { "message": "Das Master-Passwort muss mindestens 8 Zeichen lang sein." }, "masterPassDoesntMatch": { "message": "Master-Passwort-Bestätigung stimmt nicht überein." }, "newAccountCreated": { "message": "Ihr neues Konto wurde erstellt! Sie können sich jetzt anmelden." }, "masterPassSent": { "message": "Wir haben Ihnen eine E-Mail mit dem Master-Passwort-Hinweis zu gesendet." }, "unexpectedError": { "message": "Ein unerwarteter Fehler ist aufgetreten." }, "emailAddress": { "message": "E-Mail-Adresse" }, "yourVaultIsLocked": { "message": "Ihr Tresor ist gesperrt. Überprüfen Sie Ihr Master-Passwort um fortzufahren." }, "unlock": { "message": "Entsperren" }, "loggedInAsEmailOn": { "message": "Angemeldet als $EMAIL$ auf $HOSTNAME$.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" }, "hostname": { "content": "$2", "example": "bitwarden.com" } } }, "invalidMasterPassword": { "message": "Ungültiges Master-Passwort" }, "lockNow": { "message": "Jetzt sperren" }, "noItemsInList": { "message": "Keine Einträge vorhanden." }, "noCollectionsInList": { "message": "Keine Sammlungen vorhanden." }, "noGroupsInList": { "message": "Keine Gruppen vorhanden." }, "noUsersInList": { "message": "Keine Benutzer vorhanden." }, "noEventsInList": { "message": "Keine Ereignisse vorhanden." }, "newOrganization": { "message": "Neue Organisation" }, "noOrganizationsList": { "message": "Sie gehören keiner Organisation an. Organisationen erlauben es Ihnen Passwörter sicher mit anderen zu teilen." }, "versionNumber": { "message": "Version $VERSION_NUMBER$", "placeholders": { "version_number": { "content": "$1", "example": "1.2.3" } } }, "enterVerificationCodeApp": { "message": "Geben Sie den 6-stelligen Verifizierungscode aus Ihrer Authentifizierungs-App ein." }, "enterVerificationCodeEmail": { "message": "Geben Sie den 6-stelligen Verifizierungscode der an $EMAIL$ gesendet wurde an.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "verificationCodeEmailSent": { "message": "Bestätigungsmail wurde an $EMAIL$ gesendet.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "rememberMe": { "message": "Angemeldet bleiben" }, "sendVerificationCodeEmailAgain": { "message": "E-Mail mit Bestätigungscode erneut versenden" }, "useAnotherTwoStepMethod": { "message": "Verwenden sie eine andere Zwei-Faktor-Anmelde-Methode" }, "insertYubiKey": { "message": "Stecken Sie Ihren YubiKey in einen USB-Port Ihres Computers und berühren Sie dessen Knopf." }, "insertU2f": { "message": "Stecken Sie Ihren Sicherheitsschlüssel in einen USB-Port des Computers. Falls dieser einen Knopf hat, drücken Sie ihn." }, "loginUnavailable": { "message": "Anmeldung nicht verfügbar" }, "noTwoStepProviders": { "message": "Dieses Konto hat eine aktive Zwei-Faktor-Authentifizierung, allerdings wird keiner der konfigurierten Zwei-Faktor-Anbieter von diesem Browser unterstützt." }, "noTwoStepProviders2": { "message": "Bitte benutzen Sie einen unterstützten Browser (z. B. Chrome) und / oder fügen Sie zusätzliche Anbieter hinzu, die von mehr Browsern unterstützt werden (z. B. eine Authentifizierungs-App)." }, "twoStepOptions": { "message": "Optionen für Zwei-Faktor-Authentifizierung" }, "recoveryCodeDesc": { "message": "Zugang zu allen Zwei-Faktor-Anbietern verloren? Benutzen Sie Ihren Wiederherstellungscode, um alle Zwei-Faktor-Anbieter in Ihrem Konto zu deaktivieren." }, "recoveryCodeTitle": { "message": "Wiederherstellungscode" }, "authenticatorAppTitle": { "message": "Authentifizierungs-App" }, "authenticatorAppDesc": { "message": "Verwenden Sie eine Authentifizierungs-App (wie zum Beispiel Authy oder Google Authenticator), um zeitbasierte Verifizierungscodes zu generieren.", "description": "'Authy' and 'Google Authenticator' are product names and should not be translated." }, "yubiKeyTitle": { "message": "YubiKey OTP Sicherheitsschlüssel" }, "yubiKeyDesc": { "message": "Verwende einen YubiKey um auf dein Konto zuzugreifen. Funtioniert mit YubiKey 4, Nano 4, 4C und NEO Geräten." }, "duoDesc": { "message": "Verifizieren Sie mit Duo Security, indem Sie die Duo Mobile App, SMS, Anrufe oder U2F Sicherheitsschlüssel benutzen.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "duoOrganizationDesc": { "message": "Nutzen Sie Duo Security um sich mit der Duo Mobile App, SMS, per Anruf oder U2F Sicherheitsschlüssel Ihrer Organisation gegenüber zu verifizieren.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "u2fDesc": { "message": "Benutzen Sie einen FIDO U2F-kompatiblen Sicherheitsschlüssel um auf Ihr Konto zuzugreifen." }, "u2fTitle": { "message": "FIDO U2F Sicherheitsschlüssel" }, "webAuthnTitle": { "message": "FIDO2 WebAuthn" }, "webAuthnDesc": { "message": "Benutzen Sie einen kompatiblen WebAuthn Sicherheitsschlüssel, um auf Ihr Konto zuzugreifen." }, "webAuthnMigrated": { "message": "(Von FIDO migriert)" }, "emailTitle": { "message": "E-Mail" }, "emailDesc": { "message": "Bestätigungscodes werden Ihnen per E-Mail zugesandt." }, "continue": { "message": "Fortsetzen" }, "organization": { "message": "Organisation" }, "organizations": { "message": "Organisationen" }, "moveToOrgDesc": { "message": "Wähle eine Organisation aus, in die du diesen Eintrag verschieben möchtest. Das Verschieben in eine Organisation überträgt das Eigentum an diese Organisation. Du bist nicht mehr der direkte Besitzer dieses Eintrags, sobald er verschoben wurde." }, "moveManyToOrgDesc": { "message": "Wähle eine Organisation aus, in die du diese Einträge verschieben möchtest. Das Verschieben in eine Organisation überträgt das Eigentum der Einträge an diese Organisation. Du bist nicht mehr der direkte Besitzer dieser Einträge, sobald sie verschoben wurden." }, "collectionsDesc": { "message": "Bearbeiten Sie die Sammlungen, mit denen dieser Eintrag geteilt wird. Nur Organisationsmitglieder mit Zugriff auf diese Sammlungen werden diesen Eintrag sehen können." }, "deleteSelectedItemsDesc": { "message": "Sie haben $COUNT$ Eintrag/Einträge zum Löschen ausgewählt. Sind Sie sicher, dass alle diese Einträge gelöscht werden sollen?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsDesc": { "message": "Wählen Sie einen Ordner aus, in den Sie $COUNT$ ausgewählte(s) Objekt(e) verschieben möchten.", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsCountDesc": { "message": "Du hast $COUNT$ Element(e) ausgewählt. $MOVEABLE_COUNT$ Element(e) können in eine Organisation verschoben werden, $NONMOVEABLE_COUNT$ nicht.", "placeholders": { "count": { "content": "$1", "example": "10" }, "moveable_count": { "content": "$2", "example": "8" }, "nonmoveable_count": { "content": "$3", "example": "2" } } }, "verificationCodeTotp": { "message": "Verifizierungscode (TOTP)" }, "copyVerificationCode": { "message": "Kopiere Verifizierungscode" }, "warning": { "message": "Warnung" }, "confirmVaultExport": { "message": "Tresor-Export bestätigen" }, "exportWarningDesc": { "message": "Dieser Export enthält Ihre Tresor-Daten in einem unverschlüsseltem Format. Sie sollten die Datei daher nicht über unsichere Kanäle (z.B. E-Mail) versenden oder speichern. Löschen Sie die Datei sofort nach ihrer Verwendung." }, "encExportKeyWarningDesc": { "message": "Dieser Export verschlüsselt Ihre Daten mit dem Verschlüsselungscode Ihres Kontos. Falls Sie Ihren Verschlüsselungscode erneuern, sollten Sie den Export erneut durchführen, da Sie die zuvor erstellte Datei ansonsten nicht mehr entschlüsseln können." }, "encExportAccountWarningDesc": { "message": "Die Verschlüsselungscodes eines Kontos sind für jedes Bitwarden Benutzerkonto einzigartig, deshalb können Sie keinen verschlüsselten Export in ein anderes Konto importieren." }, "export": { "message": "Export" }, "exportVault": { "message": "Tresor exportieren" }, "fileFormat": { "message": "Dateiformat" }, "exportSuccess": { "message": "Ihre Daten wurden exportiert." }, "passwordGenerator": { "message": "Passwortgenerator" }, "minComplexityScore": { "message": "Kleinste Komplexitätsstufe" }, "minNumbers": { "message": "Mindestanzahl Ziffern" }, "minSpecial": { "message": "Mindestanzahl Sonderzeichen", "description": "Minimum Special Characters" }, "ambiguous": { "message": "Mehrdeutige Zeichen vermeiden" }, "regeneratePassword": { "message": "Passwort neu generieren" }, "length": { "message": "Länge" }, "numWords": { "message": "Anzahl der Wörter" }, "wordSeparator": { "message": "Worttrennzeichen" }, "capitalize": { "message": "Großschreiben", "description": "Make the first letter of a work uppercase." }, "includeNumber": { "message": "Ziffer hinzufügen" }, "passwordHistory": { "message": "Passwortverlauf" }, "noPasswordsInList": { "message": "Keine Passwörter vorhanden." }, "clear": { "message": "Löschen", "description": "To clear something out. example: To clear browser history." }, "accountUpdated": { "message": "Konto aktualisiert" }, "changeEmail": { "message": "E-Mail-Adresse ändern" }, "changeEmailTwoFactorWarning": { "message": "Wenn du fortfährst, wird die E-Mail-Adresse deines Kontos geändert. Die E-Mail-Adresse für die Zwei-Faktor-Authentifizierung wird nicht geändert. Du kannst diese E-Mail-Adresse in den Zwei-Faktor Anmeldeeinstellungen ändern." }, "newEmail": { "message": "Neue E-Mail-Adresse" }, "code": { "message": "Code" }, "changeEmailDesc": { "message": "Wir haben Ihnen einen Bestätigungscode an $EMAIL$ gesendet. Bitte prüfen Sie Ihre E-Mails und geben Sie den Code zur Bestätigung der E-Mail-Änderung unten ein.", "placeholders": { "email": { "content": "$1", "example": "john.smith@example.com" } } }, "loggedOutWarning": { "message": "Wenn Sie fortfahren, werden Sie aus Ihrer aktuellen Sitzung ausgeloggt. Aktive Sitzungen auf anderen Geräten können bis zu einer Stunde weiterhin verwendet werden." }, "emailChanged": { "message": "E-Mail-Adresse geändert" }, "logBackIn": { "message": "Bitte melden Sie sich erneut an." }, "logBackInOthersToo": { "message": "Bitte melden Sie sich wieder an. Wenn Sie andere Bitwarden-Anwendungen verwenden, melden Sie sich auch dort ab und wieder neu an." }, "changeMasterPassword": { "message": "Master-Passwort ändern" }, "masterPasswordChanged": { "message": "Master-Passwort geändert" }, "currentMasterPass": { "message": "Aktuelles Master-Passwort" }, "newMasterPass": { "message": "Neues Master-Passwort" }, "confirmNewMasterPass": { "message": "Neues Master-Passwort bestätigen" }, "encKeySettings": { "message": "Verschlüsselungscode-Einstellungen" }, "kdfAlgorithm": { "message": "KDF-Algorithmus" }, "kdfIterations": { "message": "KDF-Iterationen" }, "kdfIterationsDesc": { "message": "Eine höhere Anzahl von KDF-Iterationen hilft dabei, dein Master-Passwort besser vor Brute-Force-Angriffen zu schützen. Wir empfehlen einen Wert von $VALUE$ oder mehr.", "placeholders": { "value": { "content": "$1", "example": "100,000" } } }, "kdfIterationsWarning": { "message": "Wenn du die Anzahl der KDF-Iterationen zu hoch setzt, kann es sein, dass das Einloggen in Bitwarden (und Entsperren) auf langsameren Geräten länger dauert. Wir empfehlen, dass du den Wert um $INCREMENT$ Schrittweise anhebest und es auf allen Geräten testest.", "placeholders": { "increment": { "content": "$1", "example": "50,000" } } }, "changeKdf": { "message": "KDF ändern" }, "encKeySettingsChanged": { "message": "Verschlüsselungscode-Einstellungen wurden geändert" }, "dangerZone": { "message": "Gefahrenzone" }, "dangerZoneDesc": { "message": "Vorsicht, diese Aktionen sind nicht umkehrbar!" }, "deauthorizeSessions": { "message": "Sitzungen abmelden" }, "deauthorizeSessionsDesc": { "message": "Könnte es sein, dass Sie noch auf einem anderen Gerät angemeldet sind? Gehen Sie dazu wie folgt vor, um sich auf allen bisher benutzten Geräten abzumelden. Dieser Schritt wird empfohlen, wenn Sie sich auf einem öffentlichen Computer angemeldet haben, oder Ihr Passwort versehentlich auf einem fremden Gerät gespeichert haben. Dieser Schritt löscht außerdem alle zuvor gespeicherten Sitzungen mit Zwei-Faktor-Anmeldung." }, "deauthorizeSessionsWarning": { "message": "Sollten Sie sich von allen Geräten abmelden, werden Sie auch vom jetzigen Gerät abgemeldet und müssen sich erneut anmelden. Sollten Sie die Zwei-Faktor-Anmeldung aktiviert haben, müssen Sie diese ebenfalls erneut auf diesem Gerät bestätigen. Es kann bis zu eine Stunde dauern, bis Sie auf allen Geräten abgemeldet sind." }, "sessionsDeauthorized": { "message": "Alle Sitzungen wurden abgemeldet" }, "purgeVault": { "message": "Tresor leeren" }, "purgedOrganizationVault": { "message": "Gelöschter Organisations-Tresor." }, "vaultAccessedByProvider": { "message": "Vom Anbieter zugegriffener Tresor." }, "purgeVaultDesc": { "message": "Gehen Sie wie folgt vor, um alle Einträge und Ordner in Ihrem Tresor zu löschen. Einträge, die zu einer Organisation gehören, die Sie mit anderen teilen, werden nicht gelöscht." }, "purgeOrgVaultDesc": { "message": "Fahren Sie fort, um alle Inhalte dieses Tresors zu löschen." }, "purgeVaultWarning": { "message": "Die Leerung des Tresor ist permanent. Sie kann nicht rückgängig gemacht werden." }, "vaultPurged": { "message": "Ihr Tresor wurde geleert." }, "deleteAccount": { "message": "Konto löschen" }, "deleteAccountDesc": { "message": "Gehen Sie wie folgt vor, um Ihr Konto und alle zugehörigen Daten zu löschen." }, "deleteAccountWarning": { "message": "Die Kontolöschung ist permanent. Sie kann nicht rückgängig gemacht werden." }, "accountDeleted": { "message": "Konto gelöscht" }, "accountDeletedDesc": { "message": "Ihr Konto und alle zugehörigen Daten wurden gelöscht." }, "myAccount": { "message": "Mein Konto" }, "tools": { "message": "Werkzeuge" }, "importData": { "message": "Daten importieren" }, "importError": { "message": "Importfehler" }, "importErrorDesc": { "message": "Es gab ein Problem mit den Daten, die Sie importieren wollten. Bitte beheben Sie die unten aufgeführten Fehler in Ihrer Quelldatei und versuchen Sie es erneut." }, "importSuccess": { "message": "Daten wurden erfolgreich in Ihren Tresor importiert." }, "importWarning": { "message": "Sie importieren Daten nach $ORGANIZATION$. Ihre Daten können mit Mitgliedern dieser Organisation geteilt werden. Möchten Sie fortfahren?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "importFormatError": { "message": "Die Daten sind nicht richtig formatiert. Kontrollieren Sie bitte Ihre Import-Datei und versuchen Sie es erneut." }, "importNothingError": { "message": "Es wurde nichts importiert." }, "importEncKeyError": { "message": "Fehler beim Entschlüsseln der exportierten Datei. Dein Verschlüsselungscode stimmt nicht mit dem beim Export verwendeten Verschlüsselungscode überein." }, "selectFormat": { "message": "Wählen Sie das Format Ihrer Import-Datei" }, "selectImportFile": { "message": "Wählen Sie die Import-Datei" }, "orCopyPasteFileContents": { "message": "oder fügen Sie den Inhalt Ihrer Datei hier ein" }, "instructionsFor": { "message": "Anleitung für $NAME$", "description": "The title for the import tool instructions.", "placeholders": { "name": { "content": "$1", "example": "LastPass (csv)" } } }, "options": { "message": "Optionen" }, "optionsDesc": { "message": "Passen Sie den Web-Tresor Ihren Bedürfnissen an." }, "optionsUpdated": { "message": "Optionen aktualisiert" }, "language": { "message": "Sprache" }, "languageDesc": { "message": "Ändern Sie die Sprache für den Web-Tresor." }, "disableIcons": { "message": "Website-Icons deaktivieren" }, "disableIconsDesc": { "message": "Website-Icons zeigen ein wiedererkennbares Bild neben jedem Eintrag in Ihrem Tresor." }, "enableGravatars": { "message": "Aktiviere Gravatare", "description": "'Gravatar' is the name of a service. See www.gravatar.com" }, "enableGravatarsDesc": { "message": "Nutze Profilbilder von gravatar.com." }, "enableFullWidth": { "message": "Darstellung in voller Breite aktivieren", "description": "Allows scaling the web vault UI's width" }, "enableFullWidthDesc": { "message": "Dem Web-Tresor erlauben, die volle Breite des Browserfensters zu benutzen." }, "default": { "message": "Standard" }, "domainRules": { "message": "Domain-Regeln" }, "domainRulesDesc": { "message": "Wenn Sie die gleiche Anmeldung über mehrere verschiedene Webseitendomänen hinweg haben, können Sie die Webseite als \"gleichwertig\" markieren. \"Globale\" Domänen wurden bereits von Bitwarden für Sie angelegt." }, "globalEqDomains": { "message": "Globale gleichwertige Domains" }, "customEqDomains": { "message": "Benutzerdefinierte gleichwertige Domains" }, "exclude": { "message": "Ausschließen" }, "include": { "message": "Einschließen" }, "customize": { "message": "Anpassen" }, "newCustomDomain": { "message": "Neue benutzerdefinierte Domäne" }, "newCustomDomainDesc": { "message": "Geben Sie eine mit Komma getrennte Liste von Domänen ein. Nur \"Basis\"-Domänen sind erlaubt. Geben Sie keine Sub-Domänen an. Geben Sie beispielsweise \"google.de\" anstelle von \"www.google.de\" an. Sie können auch \"androidapp://package.name\" eingeben, um Webseiten-Domänen einer Android-App zuzuordnen." }, "customDomainX": { "message": "$INDEX$ benutzerdefinierte Domänen", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "domainsUpdated": { "message": "Domänen aktualisiert" }, "twoStepLogin": { "message": "Zwei-Faktor-Authentifizierung" }, "twoStepLoginDesc": { "message": "Sichern Sie Ihr Konto mit Zwei-Faktor-Authentifizierung." }, "twoStepLoginOrganizationDesc": { "message": "Zwei-Faktor-Authentifizierung für die Benutzer Ihrer Organisation verlangen, indem Sie Anbieter auf Organisationsebene konfigurieren." }, "twoStepLoginRecoveryWarning": { "message": "Durch die Aktivierung der Zwei-Faktor-Authentifizierung könnten Sie sich dauerhaft aus Ihrem Bitwarden-Konto aussperren. Ein Wiederherstellungscode ermöglicht es Ihnen, auf Ihr Konto zuzugreifen, falls Sie Ihren normalen Zwei-Faktor-Anbieter nicht mehr verwenden können (z.B. wenn Sie Ihr Gerät verlieren). Der Bitwarden-Support kann Ihnen nicht helfen, wenn Sie den Zugang zu Ihrem Konto verlieren. Wir empfehlen Ihnen, den Wiederherstellungscode aufzuschreiben oder auszudrucken und an einem sicheren Ort aufzubewahren." }, "viewRecoveryCode": { "message": "Wiederherstellungscode anzeigen" }, "providers": { "message": "Anbieter", "description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc." }, "enable": { "message": "Aktivieren" }, "enabled": { "message": "Aktiviert" }, "premium": { "message": "Premium", "description": "Premium Membership" }, "premiumMembership": { "message": "Premium-Mitgliedschaft" }, "premiumRequired": { "message": "Premium-Mitgliedschaft benötigt" }, "premiumRequiredDesc": { "message": "Für diese Funktion ist eine Premium-Mitgliedschaft notwendig." }, "youHavePremiumAccess": { "message": "Sie haben Zugriff auf Premium-Funktionen" }, "alreadyPremiumFromOrg": { "message": "Sie haben bereits Zugriff auf Premiumfunktionen, weil Sie Mitglied einer Organisation sind." }, "manage": { "message": "Verwalten" }, "disable": { "message": "Deaktivieren" }, "twoStepLoginProviderEnabled": { "message": "Dieser Zwei-Faktor-Authentifizierungsanbieter ist für Ihr Konto aktiviert." }, "twoStepLoginAuthDesc": { "message": "Geben Sie Ihr Master-Passwort ein, um die Zwei-Faktor-Anmeldeeinstellungen zu ändern." }, "twoStepAuthenticatorDesc": { "message": "Führen Sie diese Schritte aus, um eine Zwei-Faktor-Anmeldung mit einer Authentifizierungs-App einzurichten:" }, "twoStepAuthenticatorDownloadApp": { "message": "Laden Sie sich eine Zwei-Faktor-Authentifizierungs-App herunter" }, "twoStepAuthenticatorNeedApp": { "message": "Brauchen Sie eine Zwei-Faktor-Authentifizierungs-App? Laden Sie eine der folgenden Apps herunter" }, "iosDevices": { "message": "iOS-Gerät" }, "androidDevices": { "message": "Android-Gerät" }, "windowsDevices": { "message": "Windows-Gerät" }, "twoStepAuthenticatorAppsRecommended": { "message": "Diese Apps sind Empfehlungen. Andere Authentifizierungs-Apps funktionieren allerdings auch." }, "twoStepAuthenticatorScanCode": { "message": "Scannen Sie diesen QR-Code mit Ihrer Authentifizierungs-App" }, "key": { "message": "Schlüssel" }, "twoStepAuthenticatorEnterCode": { "message": "Geben Sie den 6-stelligen Bestätigungs-Code aus der App ein" }, "twoStepAuthenticatorReaddDesc": { "message": "Falls Sie es zu einem anderen Gerät hinzufügen müssen, finden Sie unten den QR-Code (oder Schlüssel), der von Ihrer Authentifizierungs-App benötigt wird." }, "twoStepDisableDesc": { "message": "Sind Sie sicher, dass Sie diesen Zwei-Faktor-Authentifizierungsanbieter deaktivieren möchten?" }, "twoStepDisabled": { "message": "Zwei-Faktor-Authentifizierungsanbieter deaktiviert." }, "twoFactorYubikeyAdd": { "message": "Einen neuen YubiKey zu Ihrem Konto hinzufügen" }, "twoFactorYubikeyPlugIn": { "message": "Stecken Sie den YubiKey in den USB-Anschluss Ihres Computers." }, "twoFactorYubikeySelectKey": { "message": "Selektieren Sie unten das erste YubiKey-Eingabefeld." }, "twoFactorYubikeyTouchButton": { "message": "Drücken Sie die Taste des YubiKeys." }, "twoFactorYubikeySaveForm": { "message": "Speichern des Formulars" }, "twoFactorYubikeyWarning": { "message": "Aufgrund von Plattformbeschränkungen können YubiKeys nicht in allen Bitwarden-Anwendungen verwendet werden. Sie sollten einen anderen Zwei-Faktor-Authentifizierungsanbieter aktivieren, damit Sie auf Ihr Konto zugreifen können, wenn YubiKeys nicht verwendet werden können. Unterstützte Plattformen:" }, "twoFactorYubikeySupportUsb": { "message": "Web-Tresor, Desktop-Anwendung, CLI und alle Browser-Erweiterungen auf einem Gerät mit USB-Anschluss, das Ihren YubiKey erkennen kann." }, "twoFactorYubikeySupportMobile": { "message": "Mobile Apps auf einem NFC-fähigen Gerät oder einem USB-Port, der Ihren YubiKey erkennen kann." }, "yubikeyX": { "message": "YubiKey $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "u2fkeyX": { "message": "U2F Schlüssel $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "webAuthnkeyX": { "message": "WebAuthn Schlüssel $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "nfcSupport": { "message": "NFC-Unterstützung" }, "twoFactorYubikeySupportsNfc": { "message": "Einer meiner Schlüssel unterstützt NFC." }, "twoFactorYubikeySupportsNfcDesc": { "message": "Wenn eines Ihrer YubiKeys NFC (z. B. ein YubiKey NEO) unterstützt, werden Sie auf mobilen Geräten dazu aufgefordert, wenn NFC Verfügbarkeit erkannt wird." }, "yubikeysUpdated": { "message": "YubiKeys aktualisiert" }, "disableAllKeys": { "message": "Alle Schlüssel deaktivieren" }, "twoFactorDuoDesc": { "message": "Geben Sie die Bitwarden-Anwendungsinformationen aus Ihrem Duo Admin-Panel ein." }, "twoFactorDuoIntegrationKey": { "message": "Integrationsschlüssel" }, "twoFactorDuoSecretKey": { "message": "Geheimer Schlüssel" }, "twoFactorDuoApiHostname": { "message": "API-Hostname" }, "twoFactorEmailDesc": { "message": "Folgen Sie diesen Schritten, um eine Zwei-Faktor-Anmeldung per E-Mail einzurichten:" }, "twoFactorEmailEnterEmail": { "message": "Geben Sie die E-Mail ein, unter der Sie Verifizierungscodes erhalten möchten" }, "twoFactorEmailEnterCode": { "message": "Geben Sie den 6-stelligen Bestätigungs-Code aus der E-Mail ein" }, "sendEmail": { "message": "E-Mail senden" }, "twoFactorU2fAdd": { "message": "Fügen Sie Ihrem Konto einen FIDO U2F-Sicherheitsschlüssel hinzu" }, "removeU2fConfirmation": { "message": "Sind Sie sich sicher, dass Sie diesen Sicherheitsschlüssel entfernen möchten?" }, "twoFactorWebAuthnAdd": { "message": "Einen WebAuthn Sicherheitsschlüssel zu Ihrem Konto hinzufügen" }, "readKey": { "message": "Schlüssel erfassen" }, "keyCompromised": { "message": "Dieser Schlüssel ist bloßgestellt." }, "twoFactorU2fGiveName": { "message": "Geben Sie dem Sicherheitsschlüssel einen eigenen Namen, um ihn zu erkennen." }, "twoFactorU2fPlugInReadKey": { "message": "Stecken Sie den Sicherheitsschlüssel in den USB-Port Ihres Computers und drücken Sie den \"Schlüssel erfassen\" Knopf." }, "twoFactorU2fTouchButton": { "message": "Wenn der Sicherheitsschlüssel eine Taste hat, drücken Sie die." }, "twoFactorU2fSaveForm": { "message": "Formular speichern." }, "twoFactorU2fWarning": { "message": "Aufgrund von Plattformbeschränkungen kann FIDO U2F nicht mit allen Bitwarden-Anwendungen verwendet werden. Sie sollten einen anderen Zwei-Faktor-Authentifizierungsanbieter aktivieren, damit Sie auf Ihr Konto zugreifen können, wenn FIDO U2F nicht verwendet werden kann. Unterstützte Plattformen sind:" }, "twoFactorU2fSupportWeb": { "message": "Web-Tresor und Browser-Erweiterungen auf einem Desktop/Laptop mit einem U2F fähigen Browser (Chrome, Opera, Vivaldi oder Firefox mit FIDO U2F aktiviert)." }, "twoFactorU2fWaiting": { "message": "Es wird darauf gewartet, dass Sie die Taste Ihres Sicherheitsschlüssels betätigen" }, "twoFactorU2fClickSave": { "message": "Drücken Sie \"Speichern\", um den Sicherheitsschlüssel für die Zwei-Faktor Authentifizierung zu aktivieren." }, "twoFactorU2fProblemReadingTryAgain": { "message": "Es gab ein Problem beim lesen des Sicherheitsschlüssels, bitte erneut versuchen." }, "twoFactorWebAuthnWarning": { "message": "Aufgrund von Plattformbeschränkungen kann WebAuthn nicht in allen Bitwarden-Anwendungen verwendet werden. Sie sollten einen anderen Zwei-Faktor-Authentifizierungsanbieter aktivieren, damit Sie auf Ihr Konto zugreifen können, wenn WebAuthn nicht verwendet werden kann. Unterstützte Plattformen:" }, "twoFactorWebAuthnSupportWeb": { "message": "Web-Tresor und Browser-Erweiterungen auf einem Desktop/Laptop mit einem WebAuthn-fähigen Browser (Chrome, Opera, Vivaldi oder Firefox mit aktiviertem FIDO U2F)." }, "twoFactorRecoveryYourCode": { "message": "Ihr Wiederherstellungsschlüssel für die Zwei-Faktor-Anmeldung in Bitwarden" }, "twoFactorRecoveryNoCode": { "message": "Sie haben noch keine Variante der Zwei-Faktor-Anmeldung aktiviert. Nachdem Sie eine Zwei-Faktor-Anmeldung aktiviert haben, finden Sie hier Ihren Wiederherstellungs-Code." }, "printCode": { "message": "Code drucken", "description": "Print 2FA recovery code" }, "reports": { "message": "Berichte" }, "reportsDesc": { "message": "Identifiziere und schließe Sicherheitslücken in deinen Online-Konten, indem du auf die Berichte unten klickst." }, "unsecuredWebsitesReport": { "message": "Bericht über ungesicherte Websites" }, "unsecuredWebsitesReportDesc": { "message": "Die Verwendung ungesicherter Webseiten mit dem http:// Präfix kann gefährlich sein. Wenn die Webseite es erlaubt, sollten Sie immer über das https:// Präfix darauf zugreifen, damit Ihre Verbindung verschlüsselt ist." }, "unsecuredWebsitesFound": { "message": "Ungesicherte Webseiten gefunden" }, "unsecuredWebsitesFoundDesc": { "message": "Wir haben $COUNT$ Elemente in Ihrem Tresor mit ungesicherten URIs gefunden. Sie sollten ihr URI-Präfix auf https:// ändern, wenn die Webseite dies zulässt.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noUnsecuredWebsites": { "message": "Es gibt keine Einträge in Ihrem Tresor, die unsichere URIs benutzen." }, "inactive2faReport": { "message": "Bericht über inaktive 2FA" }, "inactive2faReportDesc": { "message": "Die Zwei-Faktor-Authentifizierung (2FA) ist eine wichtige Sicherheitseinstellung, die Ihnen bei der Absicherung Ihrer Konten hilft. Wenn eine Webseite 2FA anbietet, sollten Sie es immer aktivieren." }, "inactive2faFound": { "message": "Anmeldungen ohne 2FA gefunden" }, "inactive2faFoundDesc": { "message": "Wir haben $COUNT$ Webseite(n) in Ihrem Tresor gefunden, die eine Zwei-Faktor Authentifizierung anbieten (laut 2fa.directory), aber bei denen diese Funktion möglicherweise nicht aktiviert ist. Um diese Accounts abzusichern, sollten Sie die Zwei-Faktor Authentifizierung aktivieren.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noInactive2fa": { "message": "Es wurden keine Webseiten in Ihrem Tresor gefunden, bei denen eine Konfiguration der Zwei-Faktor Authentifizierung fehlt." }, "instructions": { "message": "Anleitung" }, "exposedPasswordsReport": { "message": "Bericht über kompromittierte Passwörter" }, "exposedPasswordsReportDesc": { "message": "Kompromittierte Passwörter sind Passwörter, die in bekannten Datendiebstählen entdeckt und veröffentlicht wurden oder von Hackern im Dark Web verkauft wurden." }, "exposedPasswordsFound": { "message": "Es wurden kompromittierte Passwörter gefunden" }, "exposedPasswordsFoundDesc": { "message": "Wir haben $COUNT$ Einträge in Ihrem Tresor gefunden, die in bekannten Passwortdiebstahl Datenbanken veröffentlicht wurden. Sie sollten diese Passwörter so schnell wie möglich ändern.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noExposedPasswords": { "message": "Es scheint in Ihrem Tresor keine Passwörter zu geben, die in Passwortdiebstahl Datenbanken veröffentlicht wurden." }, "checkExposedPasswords": { "message": "Auf kompromittierte Passwörter prüfen" }, "exposedXTimes": { "message": "$COUNT$ mal kompromittiert", "placeholders": { "count": { "content": "$1", "example": "52" } } }, "weakPasswordsReport": { "message": "Bericht über schwache Passwörter" }, "weakPasswordsReportDesc": { "message": "Schwache Passwörter können von Angreifern und automatisierten Prozessen, die Passwörter knacken, leicht erraten werden. Der Passwortgenerator von Bitwarden kann Ihnen helfen, starke und sichere Passwörter zu generieren." }, "weakPasswordsFound": { "message": "Schwache Passwörter gefunden" }, "weakPasswordsFoundDesc": { "message": "Wir haben $COUNT$ Einträge mit schwachen Passwörtern in Ihrem Tresor gefunden. Sie sollten diese aktualisieren und ein sicheres Passwort verwenden.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noWeakPasswords": { "message": "Keine Einträge in Ihrem Tresor haben schwache Passwörter." }, "reusedPasswordsReport": { "message": "Bericht über wiederverwendete Passwörter" }, "reusedPasswordsReportDesc": { "message": "Wenn Sie Passwörter für mehrere Dienste gleichzeitig benutzen und einer dieser Dienste kompromittiert wird, ist es für Angreifer deutlich einfacher Zugriff zu den anderen Konten zu erlangen. Aus diesem Grund sollten Sie für jeden Dienst ein einzigartiges Passwort verwenden." }, "reusedPasswordsFound": { "message": "Wiederverwendete Passwörter gefunden" }, "reusedPasswordsFoundDesc": { "message": "Wir haben $COUNT$ Passwörter in Ihrem Tresor gefunden, die mehrfach benutzt wurden. Sie sollten diese ändern und jedes Passwort nur ein einziges Mal benutzen.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noReusedPasswords": { "message": "In Ihrem Tresor wurden keine Einträge mit wiederverwendeten Passwörtern gefunden." }, "reusedXTimes": { "message": "Bereits $COUNT$ mal verwendet", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "dataBreachReport": { "message": "Datendiebstahl-Bericht" }, "breachDesc": { "message": "Ein Datendiebstahl ist ein Vorfall, bei dem sich Hacker illegal Zugriff auf Daten von einer Website verschafft haben und diese im Anschluss veröffentlicht wurden. Prüfen Sie die Art der Daten, welche kompromittiert wurden (E-Mail-Adressen, Kennwörter, Kreditkarteninformationen) und leiten Sie entsprechende Handlungen ein, wie z.B. das Ändern von Kennwörtern." }, "breachCheckUsernameEmail": { "message": "Prüfen Sie alle Benutzernamen und E-Mail-Adressen, die Sie verwenden." }, "checkBreaches": { "message": "Auf Datendiebstähle prüfen" }, "breachUsernameNotFound": { "message": "$USERNAME$ wurde in keinem der bekannten Datendiebstahlvorfällen gefunden.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" } } }, "goodNews": { "message": "Gute Nachrichten", "description": "ex. Good News, No Breached Accounts Found!" }, "breachUsernameFound": { "message": "$USERNAME$ wurde in $COUNT$ Datendiebstahlvorfällen gefunden.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" }, "count": { "content": "$2", "example": "7" } } }, "breachFound": { "message": "Betroffene Konten wurden gefunden" }, "compromisedData": { "message": "Kompromittierte Daten" }, "website": { "message": "Webseite" }, "affectedUsers": { "message": "Betroffene Nutzer" }, "breachOccurred": { "message": "Ein Datendiebstahl ist aufgetreten" }, "breachReported": { "message": "Ein Datendiebstahl wurde gemeldet" }, "reportError": { "message": "Ein Fehler ist aufgetreten, während der Bericht geladen wurde. Versuchen Sie es erneut" }, "billing": { "message": "Rechnung" }, "accountCredit": { "message": "Kontoguthaben", "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": "Kontostand", "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": "Guthaben hinzufügen", "description": "Add more credit to your account's balance." }, "amount": { "message": "Anzahl", "description": "Dollar amount, or quantity." }, "creditDelayed": { "message": "Aufgeladenes Guthaben wird auf Ihrem Konto verbucht, nachdem die Zahlung vollständig bearbeitet wurde. Einige Zahlungsarten brauchen mehr Zeit zum Bearbeiten als andere." }, "makeSureEnoughCredit": { "message": "Bitte stellen Sie sicher, dass Ihr Konto über genügend Guthaben für diesen Kauf verfügt. Wenn Ihr Konto nicht über genügend Guthaben verfügt, wird Ihre hinterlegte Standard-Zahlungsart für den Ausgleich des Restbetrages verwendet. Über die Rechnungsseite können Sie Ihr Konto aufladen." }, "creditAppliedDesc": { "message": "Das Guthaben Ihres Kontos kann für Einkäufe verwendet werden. Das verfügbare Guthaben wird automatisch auf die für dieses Konto erstellten Rechnungen angerechnet." }, "goPremium": { "message": "Zu Premium wechseln", "description": "Another way of saying \"Get a premium membership\"" }, "premiumUpdated": { "message": "Sie haben ein Premium-Abo aktiviert." }, "premiumUpgradeUnlockFeatures": { "message": "Machen Sie ein Upgrade Ihres Kontos auf eine Premium-Mitgliedschaft, um zusätzliche, großartige Funktionen freizuschalten." }, "premiumSignUpStorage": { "message": "1 GB verschlüsselter Speicherplatz für Datei-Anhänge." }, "premiumSignUpTwoStep": { "message": "Zusätzliche Zwei-Faktor-Authentifizierungsmöglichkeiten wie z.B. YubiKey, FIDO U2F und Duo." }, "premiumSignUpEmergency": { "message": "Notfallzugriff" }, "premiumSignUpReports": { "message": "Berichte über Passwort-Hygiene, Kontostatus und Datendiebstähle, um Ihren Tresor sicher zu halten." }, "premiumSignUpTotp": { "message": "TOTP Verifizierungscode-Generator (2FA) für Konten in Ihrem Tresor." }, "premiumSignUpSupport": { "message": "Vorrangiger Kundenservice." }, "premiumSignUpFuture": { "message": "Alle zukünftigen Premium-Funktionen. Mehr in Kürze!" }, "premiumPrice": { "message": "Alles für nur $PRICE$ pro Jahr!", "placeholders": { "price": { "content": "$1", "example": "$10" } } }, "addons": { "message": "Erweiterungen" }, "premiumAccess": { "message": "Zugriff für Premium" }, "premiumAccessDesc": { "message": "Sie können allen Mitgliedern Ihrer Organisation zum Preis von $PRICE$ pro $INTERVAL$ einen Premium-Zugang ermöglichen.", "placeholders": { "price": { "content": "$1", "example": "$3.33" }, "interval": { "content": "$2", "example": "'month' or 'year'" } } }, "additionalStorageGb": { "message": "Zusätzlicher Speicher (GB)" }, "additionalStorageGbDesc": { "message": "# zusätzliche GB" }, "additionalStorageIntervalDesc": { "message": "Ihr Abo beinhaltet $SIZE$ verschlüsselten Datenspeicher. Sie können zusätzlichen Speicher für $PRICE$ pro GB im $INTERVAL$ hinzufügen.", "placeholders": { "size": { "content": "$1", "example": "1 GB" }, "price": { "content": "$2", "example": "$4.00" }, "interval": { "content": "$3", "example": "'month' or 'year'" } } }, "summary": { "message": "Zusammenfassung" }, "total": { "message": "Gesamt" }, "year": { "message": "Jahr" }, "month": { "message": "Monat" }, "monthAbbr": { "message": "Mo.", "description": "Short abbreviation for 'month'" }, "paymentChargedAnnually": { "message": "Ihre Zahlungsmethode wird sofort und jährlich wiederkehrend belastet. Sie können jederzeit kündigen." }, "paymentCharged": { "message": "Ihre Zahlungsmethode wird sofort belastet und darauf folgend einmal pro $INTERVAL$. Sie können jederzeit kündigen.", "placeholders": { "interval": { "content": "$1", "example": "month or year" } } }, "paymentChargedWithTrial": { "message": "Ihr Abo startet mit einer kostenlosen Probezeit von 7 Tagen. Ihre Karte wird nicht belastet, bis die Probezeit abgelaufen ist. Die Rechnung kommt wiederkehrend jeden/jedes $INTERVAL$. Sie können jederzeit kündigen." }, "paymentInformation": { "message": "Zahlungsinformationen" }, "billingInformation": { "message": "Informationen zur Abrechnung" }, "creditCard": { "message": "Kreditkarte" }, "paypalClickSubmit": { "message": "Klicken Sie auf die Schaltfläche PayPal, um sich bei Ihrem PayPal-Konto anzumelden und anschließend auf die Schaltfläche Senden, um fortzufahren." }, "cancelSubscription": { "message": "Abo kündigen" }, "subscriptionCanceled": { "message": "Das Abo wurde gekündigt." }, "pendingCancellation": { "message": "Ausstehende Kündigung" }, "subscriptionPendingCanceled": { "message": "Das Abo wurde zum Ende des aktuellen Abrechnungszeitraums zur Kündigung vorgemerkt." }, "reinstateSubscription": { "message": "Abo wiederherstellen" }, "reinstateConfirmation": { "message": "Sind Sie sicher, dass Sie den ausstehenden Kündigungsantrag löschen und das Abo wieder aufnehmen möchten?" }, "reinstated": { "message": "Das Abo wurde wieder aufgenommen." }, "cancelConfirmation": { "message": "Sind Sie sicher, dass Sie kündigen wollen? Am Ende dieses Abrechnungszyklus verlieren Sie den Zugriff auf alle Funktionen dieses Abos." }, "canceledSubscription": { "message": "Das Abo wurde gekündigt." }, "neverExpires": { "message": "Läuft nie ab" }, "status": { "message": "Status" }, "nextCharge": { "message": "Nächste Abbuchung" }, "details": { "message": "Details" }, "downloadLicense": { "message": "Lizenz herunterladen" }, "updateLicense": { "message": "Lizenz aktualisieren" }, "updatedLicense": { "message": "Aktualisierte Lizenz" }, "manageSubscription": { "message": "Abo verwalten" }, "storage": { "message": "Speicher" }, "addStorage": { "message": "Speicherplatz erweitern" }, "removeStorage": { "message": "Speicherplatz verringern" }, "subscriptionStorage": { "message": "Ihr Abo hat insgesamt $MAX_STORAGE$ GB verschlüsselten Speicherplatz. Sie benutzen derzeit $USED_STORAGE$.", "placeholders": { "max_storage": { "content": "$1", "example": "4" }, "used_storage": { "content": "$2", "example": "65 MB" } } }, "paymentMethod": { "message": "Zahlungsart" }, "noPaymentMethod": { "message": "Keine Zahlungsmethode hinterlegt." }, "addPaymentMethod": { "message": "Zahlungsmethode hinzufügen" }, "changePaymentMethod": { "message": "Zahlungsmethode ändern" }, "invoices": { "message": "Rechnungen" }, "noInvoices": { "message": "Keine Rechnungen." }, "paid": { "message": "Bezahlt", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "unpaid": { "message": "Unbezahlt", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "transactions": { "message": "Zahlungsvorgänge", "description": "Payment/credit transactions." }, "noTransactions": { "message": "Keine Zahlungsvorgänge." }, "chargeNoun": { "message": "Gebühr", "description": "Noun. A charge from a payment method." }, "refundNoun": { "message": "Rückerstattung", "description": "Noun. A refunded payment that was charged." }, "chargesStatement": { "message": "Alle Gebühren werden auf Ihrem Kontoauszug als $STATEMENT_NAME$ angezeigt.", "placeholders": { "statement_name": { "content": "$1", "example": "BITWARDEN" } } }, "gbStorageAdd": { "message": "GB an Speicherplatz hinzufügen" }, "gbStorageRemove": { "message": "GB an Speicherplatz entfernen" }, "storageAddNote": { "message": "Das Hinzufügen von Speicherplatz führt zu einer Anpassung Ihrer Rechnungssummen und belastet Ihre Zahlungsmethode sofort. Die erste Gebühr wird für den Rest des aktuellen Abrechnungszyklus anteilig berechnet." }, "storageRemoveNote": { "message": "Das Entfernen des Speichers führt zu einer Anpassung Ihrer Rechnungssumme, die als Gutschrift auf Ihre nächste Rechnungssumme angerechnet wird." }, "adjustedStorage": { "message": "$AMOUNT$ GB Speicherplatz angepasst.", "placeholders": { "amount": { "content": "$1", "example": "5" } } }, "contactSupport": { "message": "Kundenservice kontaktieren" }, "updatedPaymentMethod": { "message": "Zahlungsart aktualisiert." }, "purchasePremium": { "message": "Premium-Mitgliedschaft erwerben" }, "licenseFile": { "message": "Lizenzdatei" }, "licenseFileDesc": { "message": "Ihre Lizenzdatei wird so ähnlich wie $FILE_NAME$ heißen", "placeholders": { "file_name": { "content": "$1", "example": "bitwarden_premium_license.json" } } }, "uploadLicenseFilePremium": { "message": "Um Ihr Konto zu einer Premium-Mitgliedschaft hochzustufen, müssen Sie eine gültige Lizenzdatei hochladen." }, "uploadLicenseFileOrg": { "message": "Um eine vor Ort gehostete Organisation zu erstellen, müssen Sie eine gültige Lizenzdatei hochladen." }, "accountEmailMustBeVerified": { "message": "Die E-Mail-Adresse Ihres Kontos muss bestätigt werden." }, "newOrganizationDesc": { "message": "Organisationen ermöglichen es Ihnen, Teile Ihres Tresors mit anderen zu teilen und verwandte Benutzer für eine bestimmte Gruppe wie eine Familie, ein kleines Team oder ein großes Unternehmen zu verwalten." }, "generalInformation": { "message": "Allgemeine Informationen" }, "organizationName": { "message": "Name der Organisation" }, "accountOwnedBusiness": { "message": "Dieses Konto gehört einem Unternehmen." }, "billingEmail": { "message": "E-Mail für Rechnung" }, "businessName": { "message": "Firmenname" }, "chooseYourPlan": { "message": "Wählen Sie Ihr Abo" }, "users": { "message": "Benutzer" }, "userSeats": { "message": "Benutzerplätze" }, "additionalUserSeats": { "message": "Weitere Benutzerplätze" }, "userSeatsDesc": { "message": "Anzahl der Benutzerplätze" }, "userSeatsAdditionalDesc": { "message": "Ihr Abo beinhaltet $BASE_SEATS$ Benutzerplätze. Sie können weitere Benutzer für $SEAT_PRICE$ pro Benutzer/Monat hinzufügen.", "placeholders": { "base_seats": { "content": "$1", "example": "5" }, "seat_price": { "content": "$2", "example": "$2.00" } } }, "userSeatsHowManyDesc": { "message": "Wie viele Benutzerplätze benötigen Sie? Bei Bedarf können Sie auch nachträglich weitere Plätze zu einem späteren Zeitpunkt hinzufügen." }, "planNameFree": { "message": "Kostenlos", "description": "Free as in 'free beer'." }, "planDescFree": { "message": "Für Test- oder Privatanwender, die mit $COUNT$ anderen Benutzern teilen möchten.", "placeholders": { "count": { "content": "$1", "example": "1" } } }, "planNameFamilies": { "message": "Familien" }, "planDescFamilies": { "message": "Für den persönlichen Gebrauch, zum Teilen mit Familie und Freunden." }, "planNameTeams": { "message": "Teams" }, "planDescTeams": { "message": "Für Unternehmen und andere Teamorganisationen." }, "planNameEnterprise": { "message": "Unternehmen" }, "planDescEnterprise": { "message": "Für Unternehmen und andere große Organisationen." }, "freeForever": { "message": "Dauerhaft kostenlos" }, "includesXUsers": { "message": "beinhaltet $COUNT$ Benutzer", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "additionalUsers": { "message": "Zusätzliche Benutzer" }, "costPerUser": { "message": "$COST$ pro Benutzer", "placeholders": { "cost": { "content": "$1", "example": "$3" } } }, "limitedUsers": { "message": "Limitiert auf $COUNT$ Benutzer (Sie eingeschlossen)", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "limitedCollections": { "message": "Limitiert auf $COUNT$ Sammlungen", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "addShareLimitedUsers": { "message": "Hinzufügen und Teilen mit bis zu $COUNT$ Benutzern", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "addShareUnlimitedUsers": { "message": "Hinzufügen und Teilen mit einer unbegrenzten Anzahl von Benutzern" }, "createUnlimitedCollections": { "message": "Erstelle eine unbegrenzte Anzahl von Sammlungen" }, "gbEncryptedFileStorage": { "message": "$SIZE$ verschlüsselter Datenspeicher", "placeholders": { "size": { "content": "$1", "example": "1 GB" } } }, "onPremHostingOptional": { "message": "Hosting auf eigenem Server (optional)" }, "usersGetPremium": { "message": "Mitglieder erhalten Zugriff auf Premium-Funktionen" }, "controlAccessWithGroups": { "message": "Zugriffskontrolle durch Gruppen" }, "syncUsersFromDirectory": { "message": "Synchronisieren Sie Ihre Benutzer und Gruppen aus einem Verzeichnis" }, "trackAuditLogs": { "message": "Nachverfolgung von Benutzeraktivitäten mittels Auditprotokollen" }, "enforce2faDuo": { "message": "Zwei-Faktor mit Duo erzwingen" }, "priorityCustomerSupport": { "message": "Vorrangiger Kundenservice" }, "xDayFreeTrial": { "message": "$COUNT$ Tage kostenlose Testversion, jederzeit kündbar", "placeholders": { "count": { "content": "$1", "example": "7" } } }, "monthly": { "message": "Monatlich" }, "annually": { "message": "Jährlich" }, "basePrice": { "message": "Grundpreis" }, "organizationCreated": { "message": "Organisation erstellt" }, "organizationReadyToGo": { "message": "Ihre neue Organisation ist einsatzbereit!" }, "organizationUpgraded": { "message": "Ihr Organisations-Tarif wurde aktualisiert." }, "leave": { "message": "Verlassen" }, "leaveOrganizationConfirmation": { "message": "Sind Sie sicher, dass Sie diese Organisation verlassen möchten?" }, "leftOrganization": { "message": "Sie haben die Organisation verlassen." }, "defaultCollection": { "message": "Standardsammlung" }, "getHelp": { "message": "Hilfe erhalten" }, "getApps": { "message": "Die Apps erhalten" }, "loggedInAs": { "message": "angemeldet als" }, "eventLogs": { "message": "Ereignisprotokolle" }, "people": { "message": "Leute" }, "policies": { "message": "Richtlinien" }, "singleSignOn": { "message": "Single Sign-on" }, "editPolicy": { "message": "Richtlinie bearbeiten" }, "groups": { "message": "Gruppen" }, "newGroup": { "message": "Neue Gruppe" }, "addGroup": { "message": "Gruppe hinzufügen" }, "editGroup": { "message": "Gruppe bearbeiten" }, "deleteGroupConfirmation": { "message": "Sind Sie sich sicher, dass Sie diese Gruppe löschen wollen?" }, "removeUserConfirmation": { "message": "Sind Sie sich sicher, dass Sie diesen Benutzer löschen wollen?" }, "removeUserConfirmationKeyConnector": { "message": "Warnung! Dieser Benutzer benötigt Key Connector, um seine Verschlüsselung zu verwalten. Das Entfernen dieses Benutzers aus deiner Organisation wird sein Konto dauerhaft deaktivieren. Diese Aktion kann nicht rückgängig gemacht werden. Möchtest du fortfahren?" }, "externalId": { "message": "Externe ID" }, "externalIdDesc": { "message": "Die externe ID kann als Referenz oder zur Verbindung zu einem externen System, wie einem Benutzerverzeichnis, verwendet werden." }, "accessControl": { "message": "Zugangskontrolle" }, "groupAccessAllItems": { "message": "Diese Gruppe kann auf alle Einträge zugreifen und diese ändern." }, "groupAccessSelectedCollections": { "message": "Diese Gruppe kann nur auf die ausgewählten Sammlungen zugreifen." }, "readOnly": { "message": "Nur Lesen" }, "newCollection": { "message": "Neue Sammlung" }, "addCollection": { "message": "Der Sammlung hinzufügen" }, "editCollection": { "message": "Sammlung bearbeiten" }, "deleteCollectionConfirmation": { "message": "Möchten Sie diese Sammlung wirklich löschen?" }, "editUser": { "message": "Benutzer bearbeiten" }, "inviteUser": { "message": "Benutzer einladen" }, "inviteUserDesc": { "message": "Lade einen neuen Benutzer zu deinem Anbieter ein, indem du die E-Mail-Adresse seines Bitwarden-Kontos unten einträgst. Falls dieser noch kein Bitwarden-Konto besitzt, wird er/sie zur Erstellung eines neuen Kontos aufgefordert." }, "inviteMultipleEmailDesc": { "message": "Sie können bis zu $COUNT$ Benutzer auf einmal einladen, indem Sie eine Liste von E-Mail-Adressen mit je einem Komma trennen.", "placeholders": { "count": { "content": "$1", "example": "20" } } }, "userUsingTwoStep": { "message": "Dieser Benutzer hat seinen Account mit einer 2-Faktor-Anmeldung geschützt." }, "userAccessAllItems": { "message": "Der Benutzer kann alle Einträge einsehen und verändern." }, "userAccessSelectedCollections": { "message": "Der Benutzer kann nur auf ausgewählte Sammlungen zugreifen." }, "search": { "message": "Suche" }, "invited": { "message": "Eingeladen" }, "accepted": { "message": "Akzeptiert" }, "confirmed": { "message": "Bestätigt" }, "clientOwnerEmail": { "message": "Kunden-E-Mail" }, "owner": { "message": "Besitzer" }, "ownerDesc": { "message": "Der Benutzer mit dem höchsten Berechtigungsgrad, der alle Aspekte Ihrer Organisation verwalten kann." }, "clientOwnerDesc": { "message": "Dieser Benutzer sollte unabhängig vom Anbieter sein. Wenn der Anbieter von der Organisation getrennt wird, behält dieser Benutzer das Eigentum an der Organisation." }, "admin": { "message": "Administrator" }, "adminDesc": { "message": "Administratoren können auf alle Einträge, Sammlungen und Benutzer in der Organisation zugreifen und diese verwalten." }, "user": { "message": "Benutzer" }, "userDesc": { "message": "Ein normaler Benutzer mit Zugriff auf die ihm zugewiesenen Sammlungen der Organisation." }, "manager": { "message": "Manager" }, "managerDesc": { "message": "Manager können auf die für sie zugewiesene Sammlungen in der Organisation zugreifen und diese verwalten." }, "all": { "message": "Alle" }, "refresh": { "message": "Aktualisieren" }, "timestamp": { "message": "Zeitstempel" }, "event": { "message": "Ereignis" }, "unknown": { "message": "Unbekannt" }, "loadMore": { "message": "Weitere laden" }, "mobile": { "message": "Mobil", "description": "Mobile app" }, "extension": { "message": "Erweiterung", "description": "Browser extension/addon" }, "desktop": { "message": "Desktop", "description": "Desktop app" }, "webVault": { "message": "Web-Tresor" }, "loggedIn": { "message": "Eingeloggt." }, "changedPassword": { "message": "Benutzerpasswort geändert." }, "enabledUpdated2fa": { "message": "Zwei-Faktor-Anmeldung aktiviert/aktualisiert." }, "disabled2fa": { "message": "Zwei-Faktor-Anmeldung deaktiviert." }, "recovered2fa": { "message": "Konto aus der Zwei-Faktor-Anmeldung wiederhergestellt." }, "failedLogin": { "message": "Anmeldeversuch mit falschem Passwort fehlgeschlagen." }, "failedLogin2fa": { "message": "Anmeldeversuch mit falscher Zwei-Faktor-Anmeldung fehlgeschlagen." }, "exportedVault": { "message": "Tresor exportiert." }, "exportedOrganizationVault": { "message": "Tresor der Organisation exportiert." }, "editedOrgSettings": { "message": "Organisationseinstellungen bearbeitet." }, "createdItemId": { "message": "Eintrag $ID$ erstellt.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedItemId": { "message": "Eintrag $ID$ bearbeitet.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedItemId": { "message": "Eintrag $ID$ in Papierkorb verschoben.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "movedItemIdToOrg": { "message": "Eintrag $ID$ wurde in eine Organisation verschoben.", "placeholders": { "id": { "content": "$1", "example": "'Google'" } } }, "viewedItemId": { "message": "Eintrag $ID$ angesehen.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedPasswordItemId": { "message": "Passwort für Eintrag $ID$ angesehen.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedHiddenFieldItemId": { "message": "Verstecktes Feld für Eintrag $ID$ angesehen.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedSecurityCodeItemId": { "message": "Sicherheitscode für Eintrag $ID$ angesehen.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedPasswordItemId": { "message": "Passwort für Eintrag $ID$ kopiert.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedHiddenFieldItemId": { "message": "Verstecktes Feld für Eintrag $ID$ kopiert.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedSecurityCodeItemId": { "message": "Sicherheitscode für Eintrag $ID$ kopiert.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "autofilledItemId": { "message": "Eintrag $ID$ automatisch ausgefüllt.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "createdCollectionId": { "message": "Sammlung $ID$ erstellt.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedCollectionId": { "message": "Sammlung $ID$ bearbeitet.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "deletedCollectionId": { "message": "Sammlung $ID$ gelöscht.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedPolicyId": { "message": "Richtlinie \"$ID$\" bearbeitet.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "createdGroupId": { "message": "Gruppe $ID$ erstellt.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "editedGroupId": { "message": "Gruppe $ID$ bearbeitet.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "deletedGroupId": { "message": "Gruppe $ID$ gelöscht.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "removedUserId": { "message": "Benutzer $ID$ entfernt.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdAttachmentForItem": { "message": "Anhang zum Eintrag $ID$ erstellt.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedAttachmentForItem": { "message": "Anhang zum Eintrag $ID$ gelöscht.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedCollectionsForItem": { "message": "Sammlungen des Eintrags $ID$ bearbeitet.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "invitedUserId": { "message": "Benutzer $ID$ eingeladen.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "confirmedUserId": { "message": "Benutzer $ID$ bestätigt.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedUserId": { "message": "Benutzer $ID$ bearbeitet.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedGroupsForUser": { "message": "Gruppen für den Benutzer $ID$ bearbeitet.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "unlinkedSsoUser": { "message": "SSO-Verknüpfung für Benutzer $ID$ aufgehoben.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdOrganizationId": { "message": "Organisation $ID$ erstellt.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "addedOrganizationId": { "message": "Organisation $ID$ hinzugefügt.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "removedOrganizationId": { "message": "Organisation $ID$ entfernt.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "accessedClientVault": { "message": "Auf den $ID$ Organisations-Tresor zugegriffen.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "device": { "message": "Gerät" }, "view": { "message": "Anzeigen" }, "invalidDateRange": { "message": "Ungültiger Datenbereich." }, "errorOccurred": { "message": "Ein Fehler ist aufgetreten." }, "userAccess": { "message": "Benutzerzugriff" }, "userType": { "message": "Benutzertyp" }, "groupAccess": { "message": "Gruppenzugang" }, "groupAccessUserDesc": { "message": "Die Gruppen bearbeiten, zu denen dieser Benutzer gehört." }, "invitedUsers": { "message": "Benutzer eingeladen." }, "resendInvitation": { "message": "Einladung erneut versenden" }, "resendEmail": { "message": "E-Mail erneut senden" }, "hasBeenReinvited": { "message": "$USER$ wurde erneut eingeladen.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirm": { "message": "Bestätigen" }, "confirmUser": { "message": "Benutzer bestätigen" }, "hasBeenConfirmed": { "message": "$USER$ wurde bestätigt.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirmUsers": { "message": "Benutzer bestätigen" }, "usersNeedConfirmed": { "message": "Sie haben Nutzer, die ihre Einladung angenommen haben, aber noch bestätigt werden müssen. Benutzer haben erst Zugriff auf die Organisation, wenn sie bestätigt wurden." }, "startDate": { "message": "Startdatum" }, "endDate": { "message": "Endatum" }, "verifyEmail": { "message": "E-Mail-Adresse bestätigen" }, "verifyEmailDesc": { "message": "Bestätigen Sie die E-Mail-Adresse Ihres Kontos, um den Zugriff auf alle Funktionen freizuschalten." }, "verifyEmailFirst": { "message": "Die E-Mail-Adresse Ihres Kontos muss zuerst bestätigt werden." }, "checkInboxForVerification": { "message": "Sehen Sie in Ihrem E-Mail-Posteingang nach, ob Sie Ihren Bestätigungscode erhalten haben" }, "emailVerified": { "message": "Ihre E-Mail-Adresse wurde verifiziert" }, "emailVerifiedFailed": { "message": "Ihre E-Mail kann nicht verifiziert werden. Versuchen Sie eine neue Bestätigungs-E-Mail zu senden." }, "emailVerificationRequired": { "message": "E-Mail-Verifizierung erforderlich" }, "emailVerificationRequiredDesc": { "message": "Sie müssen Ihre E-Mail verifizieren, um diese Funktion nutzen zu können." }, "updateBrowser": { "message": "Browser aktualisieren" }, "updateBrowserDesc": { "message": "Sie benutzen einen nicht unterstützten Webbrowser. Der Web-Tresor funktioniert möglicherweise nicht richtig." }, "joinOrganization": { "message": "Organisation beitreten" }, "joinOrganizationDesc": { "message": "Du wurdest eingeladen, dem oben genannten Anbieter beizutreten. Um die Einladung anzunehmen, musst du ein Bitwarden-Konto erstellen, oder dich mit deinem bestehenden Bitwarden-Konto anmelden." }, "inviteAccepted": { "message": "Einladung angenommen" }, "inviteAcceptedDesc": { "message": "Sie können der Organisation beitreten, sobald ein Administrator Ihre Mitgliedschaft bestätigt hat. Wir werden Sie dann per E-Mail benachrichtigen." }, "inviteAcceptFailed": { "message": "Einladung konnte nicht akzeptiert werden. Zum Erhalten einer neuen Einladung, setzen Sie sich mit einem Administrator der Organisation in Verbindung." }, "inviteAcceptFailedShort": { "message": "Die Einladung kann nicht angenommen werden. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "rememberEmail": { "message": "E-Mail-Adresse merken" }, "recoverAccountTwoStepDesc": { "message": "Falls Sie nicht mit Ihren normalen Zwei-Faktor-Anmeldemethoden auf Ihren Account zugreifen können, nutzen Sie Ihren Zwei-Faktor-Wiederherstellungscode, um alle Zwei-Faktor-Anbieter für Ihr Konto zu deaktivieren." }, "recoverAccountTwoStep": { "message": "Zwei-Faktor-Authentifizierung wiederherstellen" }, "twoStepRecoverDisabled": { "message": "Zwei-Faktor-Authentifizierung wurde für Ihren Account deaktiviert." }, "learnMore": { "message": "Erfahre mehr" }, "deleteRecoverDesc": { "message": "Geben Sie hier Ihre E-Mail-Adresse ein, um Ihr Konto wiederherzustellen und zu löschen." }, "deleteRecoverEmailSent": { "message": "Wir haben Ihnen eine E-Mail mit weiteren Anweisungen gesendet, sofern Ihr Konto existiert." }, "deleteRecoverConfirmDesc": { "message": "Sie haben die Löschung Ihres Bitwarden-Kontos angefragt. Klicken Sie diesen Button, um die Löschung zu bestätigen." }, "myOrganization": { "message": "Meine Organisation" }, "deleteOrganization": { "message": "Organisation löschen" }, "deletingOrganizationContentWarning": { "message": "Gebe das Master-Passwort ein, um das Löschen von $ORGANIZATION$ und allen zugehörigen Daten zu bestätigen. Die Tresordaten in $ORGANIZATION$ beinhalten:", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "deletingOrganizationActiveUserAccountsWarning": { "message": "Die Benutzerkonten bleiben nach dem Löschen aktiv, sind aber nicht mehr mit dieser Organisation verknüpft." }, "deletingOrganizationIsPermanentWarning": { "message": "Das Löschen von $ORGANIZATION$ ist dauerhaft und unwiderruflich.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "organizationDeleted": { "message": "Die Organisation wurde gelöscht" }, "organizationDeletedDesc": { "message": "Die Organisation und alle ihre zugehörigen Daten wurden gelöscht." }, "organizationUpdated": { "message": "Organisation aktualisiert" }, "taxInformation": { "message": "Informationen zur Steuer" }, "taxInformationDesc": { "message": "Für Kunden innerhalb der USA ist die Postleitzahl erforderlich, um die Umsatzsteuer-Anforderungen zu erfüllen, für andere Länder können Sie optional eine Steuernummer (VAT/GST) und/oder eine Adresse angeben, die auf Ihren Rechnungen erscheint." }, "billingPlan": { "message": "Abo", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlan": { "message": "Abo ändern", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlanUpgrade": { "message": "Ändern sie ihr Konto zu einem anderen Tarif, indem Sie folgende Informationen bereitstellen. Bitte stellen Sie sicher, dass Sie eine aktive Zahlungsmethode zu ihren Konto hinzugefügt haben.", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "invoiceNumber": { "message": "Rechnung #$NUMBER$", "description": "ex. Invoice #79C66F0-0001", "placeholders": { "number": { "content": "$1", "example": "79C66F0-0001" } } }, "viewInvoice": { "message": "Rechnung anzeigen" }, "downloadInvoice": { "message": "Rechnung herunterladen" }, "verifyBankAccount": { "message": "Bankkonto verifizieren" }, "verifyBankAccountDesc": { "message": "Wir haben zwei Mikro-Transaktionen auf Ihr Bankkonto getätigt (es kann 1-2 Werktage dauern bis diese sichtbar werden). Geben Sie diese Daten ein um Ihr Bankkonto zu verifizieren." }, "verifyBankAccountInitialDesc": { "message": "Zahlungen über ein Bankkonto ist nur für Benutzer in den Vereinigten Staaten verfügbar. Hierfür müssen Sie Ihr Bankkonto verifizieren. Wir werden dann innerhalb der nächsten 1-2 Werktage zwei Mikro-Transaktionen durchführen. Geben Sie im Anschluss die Höhe der Beträge auf der Organisationsseite ein, um Ihr Bankkonto zu verifizieren." }, "verifyBankAccountFailureWarning": { "message": "Ein Fehlschlag bei der Verifizierung des Bankkontos wird zu einer versäumten Zahlung führen und Ihr Abo wird deaktiviert." }, "verifiedBankAccount": { "message": "Ihr Bankkonto wurde verifiziert." }, "bankAccount": { "message": "Bankkonto" }, "amountX": { "message": "Betrag $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": "Bankleitzahl", "description": "Bank account routing number" }, "accountNumber": { "message": "Kontonummer" }, "accountHolderName": { "message": "Name des Kontoinhabers" }, "bankAccountType": { "message": "Kontoart" }, "bankAccountTypeCompany": { "message": "Firma" }, "bankAccountTypeIndividual": { "message": "Person" }, "enterInstallationId": { "message": "Geben Sie Ihre Installations-ID ein" }, "limitSubscriptionDesc": { "message": "Lege ein Benutzerplätze-Limit für dein Abo fest. Sobald dieses Limit erreicht ist, kannst du keine neuen Benutzer mehr einladen." }, "maxSeatLimit": { "message": "Maximales Benutzerplätze-Limit (optional)", "description": "Upper limit of seats to allow through autoscaling" }, "maxSeatCost": { "message": "Maximal mögliche Benutzerplatz-Kosten" }, "addSeats": { "message": "Benutzerplätze hinzufügen", "description": "Seat = User Seat" }, "removeSeats": { "message": "Benutzerplätze entfernen", "description": "Seat = User Seat" }, "subscriptionDesc": { "message": "Anpassungen an deinem Abo führen zu anteiligen Änderungen an deiner Rechnungssumme. Wenn neu eingeladene Benutzer deine Abo-Benutzerplätze überschreiten, wird dir sofort eine anteilige Gebühr für die zusätzlichen Benutzer berechnet." }, "subscriptionUserSeats": { "message": "Ihr Abo erlaubt insgesamt $COUNT$ Benutzer.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "limitSubscription": { "message": "Abo begrenzen (optional)" }, "subscriptionSeats": { "message": "Abo-Benutzerplätze" }, "subscriptionUpdated": { "message": "Abo aktualisiert" }, "additionalOptions": { "message": "Weitere Optionen" }, "additionalOptionsDesc": { "message": "Für weitere Hilfe bei der Verwaltung deines Abos, wende dich bitte an den Kundenservice." }, "subscriptionUserSeatsUnlimitedAutoscale": { "message": "Anpassungen an deinem Abo führen zu anteiligen Änderungen an deiner Rechnungssumme. Wenn neu eingeladene Benutzer deine Abo-Benutzerplätze überschreiten, wird dir sofort eine anteilige Gebühr für die zusätzlichen Benutzer berechnet." }, "subscriptionUserSeatsLimitedAutoscale": { "message": "Anpassungen an deinem Abo führen zu anteiligen Änderungen an deiner Rechnungssumme. Wenn neu eingeladene Benutzer deine Abo-Benutzerplätze überschreiten, wird dir sofort eine anteilige Gebühr für die zusätzlichen Benutzer berechnet, bis dein Benutzerlimit von $MAX$ erreicht ist.", "placeholders": { "max": { "content": "$1", "example": "50" } } }, "subscriptionFreePlan": { "message": "Du kannst nicht mehr als $COUNT$ Benutzer einladen ohne dein Abo hochzustufen.", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "subscriptionFamiliesPlan": { "message": "Du kannst nicht mehr als $COUNT$ Benutzer einladen ohne dein Abo hochzustufen. Bitte kontaktiere dafür den Kundenservice.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionSponsoredFamiliesPlan": { "message": "Dein Abo erlaubt insgesamt $COUNT$ Benutzer. Dein Abo wird gefördert und von einer externen Organisation bezahlt.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionMaxReached": { "message": "Anpassungen an deinem Abo führen zu anteiligen Änderungen an deiner Rechnungssumme. Du kannst nicht mehr als $COUNT$ Benutzer einladen ohne deine Abo-Benutzerplätze zu erhöhen.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "seatsToAdd": { "message": "Hinzufügen von Benutzerplätzen" }, "seatsToRemove": { "message": "Entfernen von Benutzerplätzen" }, "seatsAddNote": { "message": "Das Hinzufügen von Benutzerplätzen führt zu einer Anpassung Ihrer Rechnungssummen und belastet Ihre Zahlungsmethode sofort. Die erste Gebühr wird für den Rest des aktuellen Abrechnungszyklus anteilig berechnet." }, "seatsRemoveNote": { "message": "Das Entfernen von Benutzerplätzen führt zu einer Anpassung Ihrer Rechnungssumme, die als Gutschrift auf Ihre nächste Rechnung angerechnet wird." }, "adjustedSeats": { "message": "$AMOUNT$ Benutzerplätze eingestellt.", "placeholders": { "amount": { "content": "$1", "example": "15" } } }, "keyUpdated": { "message": "Schlüssel aktualisiert" }, "updateKeyTitle": { "message": "Schlüssel aktualisieren" }, "updateEncryptionKey": { "message": "Verschlüsselungscode aktualisieren" }, "updateEncryptionKeyShortDesc": { "message": "Sie verwenden derzeit ein veraltetes Verschlüsselungsschema." }, "updateEncryptionKeyDesc": { "message": "Wir sind auf größere Verschlüsselungscodes umgestiegen, welche bessere Sicherheit und Zugang zu neuen Features bieten. Das Update Ihres Verschlüsselungscodes ist schnell und einfach. Geben Sie einfach hier Ihr Master-Passwort ein. Das Update wird irgendwann verpflichtend." }, "updateEncryptionKeyWarning": { "message": "Nach der Aktualisierung Ihres Verschlüsselungscodes, müssen Sie sich bei allen Bitwarden-Anwendungen, welche Sie momentan benutzen, erneut anmelden (wie z. B. die mobile App oder die Browser-Erweiterungen). Fehler bei Ab- und Anmeldung (welche Ihren neuen Verschlüsselungscode bezieht) könnte zu einer Beschädigung der Daten führen. Wir werden versuchen Sie automatisch auszuloggen, was jedoch verzögert geschehen kann." }, "updateEncryptionKeyExportWarning": { "message": "Alle verschlüsselten Exporte, die Sie gespeichert haben, werden ebenfalls ungültig." }, "subscription": { "message": "Abo" }, "loading": { "message": "Wird geladen" }, "upgrade": { "message": "Upgrade" }, "upgradeOrganization": { "message": "Organisation hochstufen" }, "upgradeOrganizationDesc": { "message": "Diese Funktion ist für kostenlose Organisationen nicht verfügbar. Wechseln Sie zu einem kostenpflichtigen Abo, um weitere Funktionen freizuschalten." }, "createOrganizationStep1": { "message": "Organisation erstellen: Schritt 1" }, "createOrganizationCreatePersonalAccount": { "message": "Bevor Sie eine Organisation erstellen können, müssen Sie zuerst ein eigenes kostenloses Konto erstellen." }, "refunded": { "message": "Erstattet" }, "nothingSelected": { "message": "Sie haben keine Auswahl getroffen." }, "acceptPolicies": { "message": "Durch Anwählen dieses Kästchens erklären Sie sich mit folgendem einverstanden:" }, "acceptPoliciesError": { "message": "Die Nutzungsbedingungen und Datenschutzerklärung wurden nicht akzeptiert." }, "termsOfService": { "message": "Allgemeine Geschäftsbedingungen" }, "privacyPolicy": { "message": "Datenschutzerklärung" }, "filters": { "message": "Filter" }, "vaultTimeout": { "message": "Tresor-Timeout" }, "vaultTimeoutDesc": { "message": "Legen Sie einen Timeout für den Tresor und die auszuführende Aktion fest." }, "oneMinute": { "message": "1 Minute" }, "fiveMinutes": { "message": "5 Minuten" }, "fifteenMinutes": { "message": "15 Minuten" }, "thirtyMinutes": { "message": "30 Minuten" }, "oneHour": { "message": "1 Stunde" }, "fourHours": { "message": "4 Stunden" }, "onRefresh": { "message": "Bei Browser-Aktualisierung" }, "dateUpdated": { "message": "Aktualisiert", "description": "ex. Date this item was updated" }, "datePasswordUpdated": { "message": "Passwort aktualisiert", "description": "ex. Date this password was updated" }, "organizationIsDisabled": { "message": "Organisation ist deaktiviert." }, "licenseIsExpired": { "message": "Lizenz ist abgelaufen." }, "updatedUsers": { "message": "Aktualisierte Benutzer" }, "selected": { "message": "Ausgewählt" }, "ownership": { "message": "Besitzer" }, "whoOwnsThisItem": { "message": "Wem gehört dieser Eintrag?" }, "strong": { "message": "Stark", "description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong" }, "good": { "message": "Gut", "description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weak": { "message": "Schwach", "description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "veryWeak": { "message": "Sehr schwach", "description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weakMasterPassword": { "message": "Schwaches Master-Passwort" }, "weakMasterPasswordDesc": { "message": "Das Master-Passwort, welches Sie gewählt haben, ist schwach. Sie sollten ein starkes Master-Passwort auswählen, um Ihr Bitwarden-Konto ausreichend zu schützen. Sind Sie sicher, dass Sie dieses Master-Passwort verwenden wollen?" }, "rotateAccountEncKey": { "message": "Auch den Verschlüsselungscode meines Kontos aktualisieren" }, "rotateEncKeyTitle": { "message": "Verschlüsselungscode aktualisieren" }, "rotateEncKeyConfirmation": { "message": "Sind Sie sich sicher, dass Sie ihren Verschlüsselungscode aktualisieren möchten?" }, "attachmentsNeedFix": { "message": "Dieser Eintrag hat Anhänge, die repariert werden müssen." }, "attachmentFixDesc": { "message": "Diese Dateianlage muss aufgrund ihres Alters aktualisiert werden. Klicken Sie hier, um mehr zu erfahren." }, "fix": { "message": "Reparieren", "description": "This is a verb. ex. 'Fix The Car'" }, "oldAttachmentsNeedFixDesc": { "message": "Es gibt alte Dateianhänge in ihrem Tresor, die repariert werden müssen, bevor Sie Ihren Verschlüsselungscode aktualisieren können." }, "yourAccountsFingerprint": { "message": "Prüfschlüssel für Ihren Account", "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": "Um die Sicherheit ihres Verschlüsselungscodes zu gewähren, bestätigen Sie bitte den Prüfschlüssel des Benutzers.", "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": "Nicht erneut nach dem Prüfschlüssel fragen", "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": "Kostenlos", "description": "Free, as in 'Free beer'" }, "apiKey": { "message": "API-Schlüssel" }, "apiKeyDesc": { "message": "Dein API-Schlüssel kann zur Authentifizierung für die öffentlichen Bitwarden-API benutzt werden." }, "apiKeyRotateDesc": { "message": "Mit der Erneuerung des API-Schlüssels wird der bisherige Schlüssel ungültig. Sie können Ihren API-Schlüssel erneuern, wenn die sichere Verwendung Ihres aktuellen Schlüssel nicht mehr gewährleistet ist." }, "apiKeyWarning": { "message": "Ihr API-Schlüssel hat vollen Zugriff auf die Organisation. Er sollte geheim gehalten werden." }, "userApiKeyDesc": { "message": "Ihr API-Schlüssel kann zur Authentifizierung im Bitwarden CLI verwendet werden." }, "userApiKeyWarning": { "message": "Ihr API-Schlüssel ist ein alternativer Authentifizierungsmechanismus. Er sollte geheim gehalten werden." }, "oauth2ClientCredentials": { "message": "OAuth 2.0 Client Anmeldeinformationen", "description": "'OAuth 2.0' is a programming protocol. It should probably not be translated." }, "viewApiKey": { "message": "API-Schlüssel anzeigen" }, "rotateApiKey": { "message": "API-Schlüssel erneuern" }, "selectOneCollection": { "message": "Sie müssen mindestens eine Sammlung auswählen." }, "couldNotChargeCardPayInvoice": { "message": "Wir sind nicht in der Lage Ihre Kreditkarte zu belasten. Bitte bezahlen Sie den unten aufgelisteten noch nicht beglichenen Rechnungsbetrag." }, "inAppPurchase": { "message": "In-App-Kauf" }, "cannotPerformInAppPurchase": { "message": "Sie können diese Aktion nicht durchführen, wenn sie eine In-App-Kauf Zahlungsart nutzen." }, "manageSubscriptionFromStore": { "message": "Sie müssen Ihr Abonnement im entsprechenden App Store verwalten, über dem Ihr In-App-Kauf getätigt wurde." }, "minLength": { "message": "Mindestlänge" }, "clone": { "message": "Duplizieren" }, "masterPassPolicyDesc": { "message": "Mindestanforderungen für die Stärke des Master-Passworts festlegen." }, "twoStepLoginPolicyDesc": { "message": "Benutzer müssen eine zweistufige Anmeldung für ihre persönlichen Konten einrichten." }, "twoStepLoginPolicyWarning": { "message": "Organisationsmitglieder, die keine zweistufige Anmeldung für ihr persönliches Konto aktiviert haben, werden aus der Organisation entfernt und erhalten eine E-Mail, die sie über die Änderung benachrichtigt." }, "twoStepLoginPolicyUserWarning": { "message": "Sie sind Mitglied einer Organisation, die eine Zwei-Faktor-Authentifizierung für Ihr Benutzerkonto verlangt. Wenn Sie alle Zwei-Faktor-Authentifizierungsanbieter deaktivieren, werden Sie automatisch aus diesen Organisationen entfernt." }, "passwordGeneratorPolicyDesc": { "message": "Mindestanforderungen für die Passwortgenerator-Konfiguration festlegen." }, "passwordGeneratorPolicyInEffect": { "message": "Eine oder mehrere Organisationsrichtlinien beeinflussen Ihre Generator-Einstellungen." }, "masterPasswordPolicyInEffect": { "message": "Eine oder mehrere Organisationsrichtlinien erfordern, dass Ihr Master-Passwort die folgenden Anforderungen erfüllt:" }, "policyInEffectMinComplexity": { "message": "Kleinste Komplexitätsstufe von $SCORE$", "placeholders": { "score": { "content": "$1", "example": "4" } } }, "policyInEffectMinLength": { "message": "Mindestlänge von $LENGTH$", "placeholders": { "length": { "content": "$1", "example": "14" } } }, "policyInEffectUppercase": { "message": "Enthält einen oder mehrere Großbuchstaben" }, "policyInEffectLowercase": { "message": "Enthält einen oder mehrere Kleinbuchstaben" }, "policyInEffectNumbers": { "message": "Enthält eine oder mehrere Zahlen" }, "policyInEffectSpecial": { "message": "Enthält eines oder mehrere der folgenden Sonderzeichen $CHARS$", "placeholders": { "chars": { "content": "$1", "example": "!@#$%^&*" } } }, "masterPasswordPolicyRequirementsNotMet": { "message": "Ihr neues Master-Passwort entspricht nicht den Anforderungen der Richtlinie." }, "minimumNumberOfWords": { "message": "Mindestzahl an Wörtern" }, "defaultType": { "message": "Standardtyp" }, "userPreference": { "message": "Benutzereinstellung" }, "vaultTimeoutAction": { "message": "Aktion bei Tresor-Timeout" }, "vaultTimeoutActionLockDesc": { "message": "Ein gesperrter Tresor erfordert die Eingabe des Master-Passworts, um erneut darauf zugreifen zu können." }, "vaultTimeoutActionLogOutDesc": { "message": "Ein ausgeloggter Tresor erfordert eine Neu-Authentifizierung, um erneut darauf zugreifen zu können." }, "lock": { "message": "Sperren", "description": "Verb form: to make secure or inaccesible by" }, "trash": { "message": "Papierkorb", "description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted" }, "searchTrash": { "message": "Papierkorb durchsuchen" }, "permanentlyDelete": { "message": "Dauerhaft löschen" }, "permanentlyDeleteSelected": { "message": "Auswahl dauerhaft löschen" }, "permanentlyDeleteItem": { "message": "Eintrag dauerhaft löschen" }, "permanentlyDeleteItemConfirmation": { "message": "Soll dieser Eintrag wirklich gelöscht werden?" }, "permanentlyDeletedItem": { "message": "Eintrag dauerhaft gelöscht" }, "permanentlyDeletedItems": { "message": "Dauerhaft gelöschte Einträge" }, "permanentlyDeleteSelectedItemsDesc": { "message": "Sie haben $COUNT$ Eintrag/Einträge zum unwiderruflichen Löschen ausgewählt. Sind Sie sicher, dass Sie diese(n) Eintrag/Einträge dauerhaft löschen möchten?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "permanentlyDeletedItemId": { "message": "Eintrag $ID$ dauerhaft gelöscht.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "restore": { "message": "Wiederherstellen" }, "restoreSelected": { "message": "Auswahl wiederherstellen" }, "restoreItem": { "message": "Eintrag wiederherstellen" }, "restoredItem": { "message": "Wiederhergestellter Eintrag" }, "restoredItems": { "message": "Wiederhergestellte Einträge" }, "restoreItemConfirmation": { "message": "Soll dieser Eintrag wirklich wiederhergestellt werden?" }, "restoreItems": { "message": "Einträge wiederherstellen" }, "restoreSelectedItemsDesc": { "message": "Sie haben $COUNT$ Eintrag/Einträge zum Wiederherstellen ausgewählt. Sind Sie sicher, dass Sie diese(n) Eintrag/Einträge dauerhaft löschen möchten?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "restoredItemId": { "message": "Eintrag $ID$ wiederhergestellt.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "vaultTimeoutLogOutConfirmation": { "message": "Nach dem Ausloggen verlieren Sie jeglichen Zugriff auf Ihren Tresor und es ist nach Ablauf der Timeout-Zeit eine Online-Authentifizierung erforderlich. Sind Sie sicher, dass Sie diese Einstellung nutzen möchten?" }, "vaultTimeoutLogOutConfirmationTitle": { "message": "Bestätigung der Timeout-Aktion" }, "hidePasswords": { "message": "Passwörter verstecken" }, "countryPostalCodeRequiredDesc": { "message": "Wir benötigen diese Informationen nur zur Berechnung der Umsatzsteuer und Finanzberichterstattung." }, "includeVAT": { "message": "MwSt./GST-Informationen einschließen (optional)" }, "taxIdNumber": { "message": "Umsatzsteuernummer" }, "taxInfoUpdated": { "message": "Steuerinformationen aktualisiert." }, "setMasterPassword": { "message": "Masterpasswort festlegen" }, "ssoCompleteRegistration": { "message": "Bitte legen Sie ein Masterpasswort für den Schutz Ihres Tresors fest, um die Anmeldung über SSO abzuschließen." }, "identifier": { "message": "Kennung" }, "organizationIdentifier": { "message": "Organisationskennung" }, "ssoLogInWithOrgIdentifier": { "message": "Über den Single Sign-on Ihrer Organisation anmelden. Bitte geben Sie Ihre Organisationskennung an, um zu beginnen." }, "enterpriseSingleSignOn": { "message": "Enterprise Single Sign-On" }, "ssoHandOff": { "message": "Sie können diesen Tab nun schließen und in der Erweiterung fortfahren." }, "includeAllTeamsFeatures": { "message": "Alle Teams Funktionen, zusätzlich:" }, "includeSsoAuthentication": { "message": "SSO Authentifikation über SAML2.0 und OpenID Connect" }, "includeEnterprisePolicies": { "message": "Unternehmensrichtlinien" }, "ssoValidationFailed": { "message": "SSO Validierung fehlgeschlagen" }, "ssoIdentifierRequired": { "message": "Unternehmenskennung ist erforderlich." }, "unlinkSso": { "message": "SSO Verknüpfung aufheben" }, "unlinkSsoConfirmation": { "message": "Bist du sicher, dass du SSO für diese Organisation aufheben möchtest?" }, "linkSso": { "message": "SSO verknüpfen" }, "singleOrg": { "message": "Einzelne Organisation" }, "singleOrgDesc": { "message": "Benutzern verbieten, anderen Organisationen beizutreten." }, "singleOrgBlockCreateMessage": { "message": "Ihre aktuelle Organisation hat eine Richtlinie, die es Ihnen nicht erlaubt, mehr als einer Organisation beizutreten. Bitte kontaktieren Sie die Administratoren Ihrer Organisation oder melden Sie sich mit einem anderen Bitwarden-Konto an." }, "singleOrgPolicyWarning": { "message": "Organisationsmitglieder, die nicht Eigentümer oder Administratoren sind und bereits Mitglied einer anderen Organisation sind, werden aus Ihrer Organisation entfernt." }, "requireSso": { "message": "Single Sign-On Authentifizierung" }, "requireSsoPolicyDesc": { "message": "Benutzer müssen sich per Enterprise Single Sign-On anmelden." }, "prerequisite": { "message": "Voraussetzung" }, "requireSsoPolicyReq": { "message": "Die Unternehmensrichtlinie für eine einzelne Organisation muss aktiviert sein, bevor diese Richtlinie aktiviert werden kann." }, "requireSsoPolicyReqError": { "message": "Richtlinie für eine einzelne Organisation nicht aktiviert." }, "requireSsoExemption": { "message": "Organisationseigentümer und Administratoren sind von der Durchsetzung dieser Richtlinie ausgenommen." }, "sendTypeFile": { "message": "Datei" }, "sendTypeText": { "message": "Text" }, "createSend": { "message": "Neues Send erstellen", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editSend": { "message": "Send bearbeiten", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "createdSend": { "message": "Send erstellt", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editedSend": { "message": "Send bearbeitet", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletedSend": { "message": "Send gelöscht", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSend": { "message": "Send löschen", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSendConfirmation": { "message": "Bist du sicher, dass du dieses Send löschen möchtest?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "whatTypeOfSend": { "message": "Welche Art von Send ist das?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletionDate": { "message": "Löschdatum" }, "deletionDateDesc": { "message": "Das Send wird am angegebenen Datum zur angegebenen Uhrzeit dauerhaft gelöscht.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDate": { "message": "Ablaufdatum" }, "expirationDateDesc": { "message": "Falls aktiviert, verfällt der Zugriff auf dieses Send am angegebenen Datum zur angegebenen Uhrzeit.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "maxAccessCount": { "message": "Maximale Zugriffsanzahl" }, "maxAccessCountDesc": { "message": "Falls aktiviert, können Benutzer nicht mehr auf dieses Send zugreifen, sobald die maximale Zugriffsanzahl erreicht ist.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "currentAccessCount": { "message": "Aktuelle Zugriffsanzahl" }, "sendPasswordDesc": { "message": "Optional ein Passwort verlangen, damit Benutzer auf dieses Send zugreifen können.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNotesDesc": { "message": "Private Notizen zu diesem Send.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disabled": { "message": "Deaktiviert" }, "sendLink": { "message": "Send Link", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "copySendLink": { "message": "Send Link kopieren", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "removePassword": { "message": "Passwort entfernen" }, "removedPassword": { "message": "Passwort entfernt" }, "removePasswordConfirmation": { "message": "Sind Sie sicher, dass Sie das Passwort entfernen möchten?" }, "hideEmail": { "message": "Meine E-Mail-Adresse vor den Empfängern ausblenden." }, "disableThisSend": { "message": "Dieses Send deaktivieren, damit niemand darauf zugreifen kann.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "allSends": { "message": "Alle Sends" }, "maxAccessCountReached": { "message": "Maximale Zugriffsanzahl erreicht", "description": "This text will be displayed after a Send has been accessed the maximum amount of times." }, "pendingDeletion": { "message": "Ausstehende Löschung" }, "expired": { "message": "Abgelaufen" }, "searchSends": { "message": "Sends suchen", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPassword": { "message": "Dieses Send ist mit einem Passwort geschützt. Bitte geben Sie unten das Passwort ein, um fortzufahren.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPasswordDontKnow": { "message": "Kennen Sie das Passwort nicht? Fragen Sie den Absender nach dem benötigten Passwort, um auf dieses Send zuzugreifen.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendHiddenByDefault": { "message": "Dieses Send ist standardmäßig ausgeblendet. Sie können die Sichtbarkeit mit dem Button unten umschalten.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "downloadFile": { "message": "Datei herunterladen" }, "sendAccessUnavailable": { "message": "Das Send, auf das Sie zugreifen möchten, existiert nicht oder ist nicht mehr verfügbar.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "missingSendFile": { "message": "Die mit diesem Send verbundene Datei konnte nicht gefunden werden.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "noSendsInList": { "message": "Keine Sends zu finden.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "emergencyAccess": { "message": "Notfallzugriff" }, "emergencyAccessDesc": { "message": "Gewähren und verwalten Sie einen Notfallzugriff für vertrauenswürdige Kontakte. Vertrauenswürdige Kontakte können im Notfall Zugriff verlangen, um Ihr Konto entweder einzusehen oder es zu übernehmen. Besuchen Sie unsere Hilfeseite für weitere Informationen und Details, wie der Austausch über Zero-Knowledge funktioniert." }, "emergencyAccessOwnerWarning": { "message": "Sie sind Eigentümer einer oder mehrerer Organisationen. Wenn Sie einem Notfallkontakt Übernahmezugang gewähren, kann dieser nach einer Übernahme alle Ihre Berechtigungen als Eigentümer nutzen." }, "trustedEmergencyContacts": { "message": "Vertrauenswürdige Notfallkontakte" }, "noTrustedContacts": { "message": "Sie haben noch keine Notfallkontakte hinzugefügt, laden Sie einen vertrauenswürdigen Kontakt ein, um zu beginnen." }, "addEmergencyContact": { "message": "Notfallkontakt hinzufügen" }, "designatedEmergencyContacts": { "message": "Als Notfallkontakt benannt" }, "noGrantedAccess": { "message": "Sie wurden noch nicht als Notfallkontakt für jemanden benannt." }, "inviteEmergencyContact": { "message": "Notfallkontakt einladen" }, "editEmergencyContact": { "message": "Notfallkontakt bearbeiten" }, "inviteEmergencyContactDesc": { "message": "Laden Sie einen neuen Notfallkontakt ein, indem Sie die E-Mail-Adresse seines Bitwarden-Kontos unten eintragen. Falls dieser noch kein Bitwarden-Konto besitzt, wird er/sie zur Erstellung eines neuen Kontos aufgefordert." }, "emergencyAccessRecoveryInitiated": { "message": "Notfallzugriff ausgelöst" }, "emergencyAccessRecoveryApproved": { "message": "Notfallzugriff genehmigt" }, "viewDesc": { "message": "Kann alle Einträge in Ihrem eigenen Tresor sehen." }, "takeover": { "message": "Übernahme" }, "takeoverDesc": { "message": "Kann Ihr Konto mit einem neuen Master-Passwort zurücksetzen." }, "waitTime": { "message": "Wartezeit" }, "waitTimeDesc": { "message": "Benötigte Zeit, bevor der Zugang automatisch gewährt wird." }, "oneDay": { "message": "1 Tag" }, "days": { "message": "$DAYS$ Tage", "placeholders": { "days": { "content": "$1", "example": "1" } } }, "invitedUser": { "message": "Eingeladener Benutzer." }, "acceptEmergencyAccess": { "message": "Sie wurden eingeladen, ein Notfallkontakt für den oben genannten Benutzer zu werden. Um die Einladung anzunehmen, müssen Sie sich einloggen oder ein neues Bitwarden-Konto erstellen." }, "emergencyInviteAcceptFailed": { "message": "Die Einladung konnte nicht angenommen werden. Bitten Sie den Benutzer, eine neue Einladung zu versenden." }, "emergencyInviteAcceptFailedShort": { "message": "Die Einladung kann nicht angenommen werden. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "emergencyInviteAcceptedDesc": { "message": "Sie können auf die Notfalloptionen für diesen Benutzer zugreifen, nachdem Ihre Identität bestätigt wurde. Wir senden Ihnen eine E-Mail, wenn dies geschieht." }, "requestAccess": { "message": "Zugriff anfordern" }, "requestAccessConfirmation": { "message": "Sind Sie sicher, dass Sie einen Notfallzugriff anfordern möchten? Sie erhalten nach $WAITTIME$ Tag(en) Zugang oder wann immer der Benutzer die Anfrage manuell genehmigt.", "placeholders": { "waittime": { "content": "$1", "example": "1" } } }, "requestSent": { "message": "Notfallzugriff für $USER$ angefordert. Wir werden Sie per E-Mail benachrichtigen, wenn Sie fortfahren können.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "approve": { "message": "Genehmigen" }, "reject": { "message": "Ablehnen" }, "approveAccessConfirmation": { "message": "Sind Sie sicher, dass Sie den Notfallzugriff genehmigen möchten? Dies gibt $USER$ folgende Berechtigung auf Ihr Konto: $ACTION$.", "placeholders": { "user": { "content": "$1", "example": "John Smith" }, "action": { "content": "$2", "example": "View" } } }, "emergencyApproved": { "message": "Notfallzugriff genehmigt." }, "emergencyRejected": { "message": "Notfallzugriff abgelehnt" }, "passwordResetFor": { "message": "Passwort für $USER$ zurückgesetzt. Sie können sich jetzt mit dem neuen Passwort anmelden.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "personalOwnership": { "message": "Persönliches Eigentum" }, "personalOwnershipPolicyDesc": { "message": "Benutzern vorschreiben, Tresoreinträge in einer Organisation zu speichern, indem sie die persönliche Eigentumsoption entfernen." }, "personalOwnershipExemption": { "message": "Organisationseigentümer und Administratoren sind von der Durchsetzung dieser Richtlinie ausgenommen." }, "personalOwnershipSubmitError": { "message": "Aufgrund einer Unternehmensrichtlinie dürfen Sie keine Einträge in Ihrem persönlichen Tresor speichern. Ändern Sie die Eigentümer-Option in eine Organisation und wählen Sie aus den verfügbaren Sammlungen." }, "disableSend": { "message": "Send deaktivieren" }, "disableSendPolicyDesc": { "message": "Benutzern das Erstellen oder Bearbeiten eines Bitwarden Sends nicht gestatten. Das Löschen eines bestehenden Sends ist weiterhin erlaubt.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disableSendExemption": { "message": "Benutzer der Organisation, die die Richtlinien der Organisation verwalten können, sind von der Durchsetzung dieser Richtlinie ausgenommen." }, "sendDisabled": { "message": "Send deaktiviert", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendDisabledWarning": { "message": "Aufgrund einer Unternehmensrichtlinie können Sie nur ein bestehendes Send löschen.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptions": { "message": "Send Einstellungen", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyDesc": { "message": "Einstellungen zum Erstellen und Bearbeiten von Sends.", "description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsExemption": { "message": "Benutzer der Organisation, die die Richtlinien der Organisation verwalten können, sind von der Durchsetzung dieser Richtlinie ausgenommen." }, "disableHideEmail": { "message": "Benutzern nicht gestatten, ihre E-Mail-Adresse vor Empfängern zu verstecken, wenn sie ein Send erstellen oder bearbeiten.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyInEffect": { "message": "Die folgenden Organisationsrichtlinien sind derzeit gültig:" }, "sendDisableHideEmailInEffect": { "message": "Benutzer dürfen ihre E-Mail-Adresse beim Erstellen oder Bearbeiten eines Sends nicht vor den Empfängern verstecken.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "modifiedPolicyId": { "message": "Richtlinie $ID$ geändert.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "planPrice": { "message": "Abopreis" }, "estimatedTax": { "message": "Voraussichtliche Steuern" }, "custom": { "message": "Benutzerdefiniert" }, "customDesc": { "message": "Feinere Kontrolle der Benutzer Berechtigungen für erweiterte Konfigurationen erlauben." }, "permissions": { "message": "Berechtigungen" }, "accessEventLogs": { "message": "Zugriff auf Ereignisprotokolle" }, "accessImportExport": { "message": "Zugriff auf Import/Export" }, "accessReports": { "message": "Zugriff auf Berichte" }, "missingPermissions": { "message": "Dir fehlt die erforderliche Berechtigung, um diese Aktion auszuführen." }, "manageAllCollections": { "message": "Alle Sammlungen verwalten" }, "createNewCollections": { "message": "Neue Sammlungen erstellen" }, "editAnyCollection": { "message": "Beliebige Sammlung bearbeiten" }, "deleteAnyCollection": { "message": "Beliebige Sammlung löschen" }, "manageAssignedCollections": { "message": "Zugewiesene Sammlungen verwalten" }, "editAssignedCollections": { "message": "Zugewiesene Sammlungen bearbeiten" }, "deleteAssignedCollections": { "message": "Zugewiesene Sammlungen löschen" }, "manageGroups": { "message": "Gruppen verwalten" }, "managePolicies": { "message": "Richtlinien verwalten" }, "manageSso": { "message": "SSO verwalten" }, "manageUsers": { "message": "Benutzer verwalten" }, "manageResetPassword": { "message": "Passwort Zurücksetzung verwalten" }, "disableRequiredError": { "message": "Du musst die $POLICYNAME$-Richtlinie manuell deaktivieren, bevor diese Richtlinie deaktiviert werden kann.", "placeholders": { "policyName": { "content": "$1", "example": "Single Sign-On Authentication" } } }, "personalOwnershipPolicyInEffect": { "message": "Eine Organisationsrichtlinie beeinflusst Ihre Eigentümer-Optionen." }, "personalOwnershipPolicyInEffectImports": { "message": "Eine Organisationsrichtlinie hat das Importieren von Einträgen in deinem persönlichen Tresor deaktiviert." }, "personalOwnershipCheckboxDesc": { "message": "Persönliches Eigentum für Organisationsbenutzer deaktivieren" }, "textHiddenByDefault": { "message": "Beim Zugriff auf dieses Send den Text standardmäßig ausblenden", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNameDesc": { "message": "Ein eigener Name, um dieses Send zu beschreiben.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendTextDesc": { "message": "Der Text, den Sie senden möchten." }, "sendFileDesc": { "message": "Die Datei, die Sie senden möchten." }, "copySendLinkOnSave": { "message": "Den Link zum Teilen dieses Sends beim Speichern in meine Zwischenablage kopieren." }, "sendLinkLabel": { "message": "Send-Link", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "send": { "message": "Send", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendAccessTaglineProductDesc": { "message": "Bitwarden Send überträgt einfach und sicher sensible, temporäre Informationen an andere.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendAccessTaglineLearnMore": { "message": "Mehr erfahren über", "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": "Teile Text oder Dateien direkt mit jedermann." }, "sendVaultCardLearnMore": { "message": "Mehr erfahren", "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": "sehen", "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": "wie es funktioniert", "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": "oder", "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": "probieren Sie es aus", "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": "oder", "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": "registrieren Sie sich", "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": "um es heute auszuprobieren.", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or sign up to **try it today.**'" }, "sendCreatorIdentifier": { "message": "Bitwarden Benutzer $USER_IDENTIFIER$ hat Folgendes mit Ihnen geteilt", "placeholders": { "user_identifier": { "content": "$1", "example": "An email address" } } }, "viewSendHiddenEmailWarning": { "message": "Der Bitwarden Benutzer, der dieses Send erstellt hat, hat sich entschieden, seine E-Mail-Adresse zu verstecken. Sie sollten sicherstellen, dass Sie der Quelle dieses Links vertrauen, bevor Sie dessen Inhalt verwenden oder herunterladen.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDateIsInvalid": { "message": "Das angegebene Verfallsdatum ist nicht gültig." }, "deletionDateIsInvalid": { "message": "Das angegebene Löschdatum ist nicht gültig." }, "expirationDateAndTimeRequired": { "message": "Ein Verfallsdatum und eine Zeit sind erforderlich." }, "deletionDateAndTimeRequired": { "message": "Ein Löschdatum und eine Zeit sind erforderlich." }, "dateParsingError": { "message": "Es gab einen Fehler beim Speichern Ihrer Lösch- und Verfallsdaten." }, "webAuthnFallbackMsg": { "message": "Um Ihre 2FA zu verifizieren, klicken Sie bitte unten auf den Button." }, "webAuthnAuthenticate": { "message": "Authentifiziere WebAuthn" }, "webAuthnNotSupported": { "message": "WebAuthn wird in diesem Browser nicht unterstützt." }, "webAuthnSuccess": { "message": "<strong>WebAuthn erfolgreich verifiziert!</strong><br>Sie können diesen Tab nun schließen." }, "hintEqualsPassword": { "message": "Dein Passwort-Hinweis darf nicht identisch mit deinem Passwort sein." }, "enrollPasswordReset": { "message": "Für Passwort Zurücksetzung registrieren" }, "enrolledPasswordReset": { "message": "Für Passwort Zurücksetzung registriert" }, "withdrawPasswordReset": { "message": "Von Passwort Zurücksetzung abmelden" }, "enrollPasswordResetSuccess": { "message": "Registrierung erfolgreich!" }, "withdrawPasswordResetSuccess": { "message": "Abmeldung erfolgreich!" }, "eventEnrollPasswordReset": { "message": "Der Benutzer $ID$ hat sich für die Unterstützung zum Zurücksetzen des Passworts registriert.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventWithdrawPasswordReset": { "message": "Der Benutzer $ID$ hat sich von der Unterstützung zum Zurücksetzten des Passworts abgemeldet.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventAdminPasswordReset": { "message": "Master-Passwort für Benutzer $ID$ zurückgesetzt.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventResetSsoLink": { "message": "SSO Link für Benutzer $ID$ zurücksetzen", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "firstSsoLogin": { "message": "$ID$ hat sich zum ersten Mal mit SSO angemeldet", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "resetPassword": { "message": "Passwort zurücksetzen" }, "resetPasswordLoggedOutWarning": { "message": "Wenn du fortfährst, wird $NAME$ aus seiner aktuellen Sitzung ausgeloggt und muss sich erneut einloggen. Aktive Sitzungen auf anderen Geräten können bis zu einer Stunde weiterhin aktiv bleiben.", "placeholders": { "name": { "content": "$1", "example": "John Smith" } } }, "thisUser": { "message": "dieser Benutzer" }, "resetPasswordMasterPasswordPolicyInEffect": { "message": "Eine oder mehrere Organisationsrichtlinien erfordern, dass dein Master-Passwort die folgenden Anforderungen erfüllt:" }, "resetPasswordSuccess": { "message": "Passwort erfolgreich zurückgesetzt!" }, "resetPasswordEnrollmentWarning": { "message": "Die Registrierung erlaubt Administratoren der Organisation, dein Master-Passwort zu ändern. Bist du sicher, dass du dich registrieren möchtest?" }, "resetPasswordPolicy": { "message": "Master-Passwort zurücksetzen" }, "resetPasswordPolicyDescription": { "message": "Administratoren in der Organisation erlauben, das Master-Passwort der Organisationsbenutzer zurückzusetzen." }, "resetPasswordPolicyWarning": { "message": "Benutzer in der Organisation müssen sich selbst registrieren oder automatisch registriert sein, bevor Administratoren deren Master-Passwort zurücksetzen können." }, "resetPasswordPolicyAutoEnroll": { "message": "Automatische Registrierung" }, "resetPasswordPolicyAutoEnrollDescription": { "message": "Alle Benutzer werden automatisch für das Zurücksetzen des Passworts registriert, sobald ihre Einladung angenommen wurde." }, "resetPasswordPolicyAutoEnrollWarning": { "message": "Benutzer, die bereits in der Organisation sind, werden nicht rückwirkend für das Zurücksetzen des Passworts registriert. Sie müssen sich selbst registrieren, bevor Administratoren deren Master-Passwort zurücksetzen können." }, "resetPasswordPolicyAutoEnrollCheckbox": { "message": "Neue Benutzer automatisch registrieren" }, "resetPasswordAutoEnrollInviteWarning": { "message": "Diese Organisation hat eine Unternehmensrichtlinie, die dich automatisch zum Zurücksetzen deines Passworts registriert. Die Registrierung wird es Administratoren der Organisation erlauben, dein Master-Passwort zu ändern." }, "resetPasswordOrgKeysError": { "message": "Die Rückmeldung der Organisationsschlüssel ist null" }, "resetPasswordDetailsError": { "message": "Die Rückmeldung der Passwort Details Zurücksetzung ist null" }, "trashCleanupWarning": { "message": "Einträge, die länger als 30 Tage im Papierkorb waren, werden automatisch gelöscht." }, "trashCleanupWarningSelfHosted": { "message": "Einträge, die einige Zeit im Papierkorb waren, werden automatisch gelöscht." }, "passwordPrompt": { "message": "Master-Passwort erneut abfragen" }, "passwordConfirmation": { "message": "Master-Passwort bestätigen" }, "passwordConfirmationDesc": { "message": "Diese Aktion ist geschützt. Um fortzufahren, geben Sie bitte Ihr Master-Passwort erneut ein, um Ihre Identität zu bestätigen." }, "reinviteSelected": { "message": "Einladungen erneut senden" }, "noSelectedUsersApplicable": { "message": "Diese Aktion ist für keinen der ausgewählten Benutzer anwendbar." }, "removeUsersWarning": { "message": "Bist du sicher, dass du die folgenden Benutzer entfernen möchtest? Der Prozess kann einige Sekunden dauern und kann nicht unterbrochen oder abgebrochen werden." }, "theme": { "message": "Design" }, "themeDesc": { "message": "Wähle ein Design für deinen Web-Tresor." }, "themeSystem": { "message": "Benutze Systemdesign" }, "themeDark": { "message": "Dunkel" }, "themeLight": { "message": "Hell" }, "confirmSelected": { "message": "Auswahl bestätigen" }, "bulkConfirmStatus": { "message": "Multi-Aktion Status" }, "bulkConfirmMessage": { "message": "Erfolgreich bestätigt." }, "bulkReinviteMessage": { "message": "Erfolgreich wieder eingeladen." }, "bulkRemovedMessage": { "message": "Erfolgreich entfernt" }, "bulkFilteredMessage": { "message": "Ausgeschlossen, nicht anwendbar für diese Aktion." }, "fingerprint": { "message": "Fingerabdruck" }, "removeUsers": { "message": "Benutzer entfernen" }, "error": { "message": "Fehler" }, "resetPasswordManageUsers": { "message": "Benutzer verwalten muss ebenfalls mit der Passwort zurücksetzen Berechtigung aktiviert werden" }, "setupProvider": { "message": "Anbieter-Einrichtung" }, "setupProviderLoginDesc": { "message": "Du wurdest eingeladen, einen neuen Anbieter einzurichten. Um fortzufahren, musst du dich anmelden oder ein neues Bitwarden-Konto erstellen." }, "setupProviderDesc": { "message": "Bitte gib unten die Details ein, um die Anbieter-Einrichtung abzuschließen. Kontaktiere den Kundenservice, falls du Fragen hast." }, "providerName": { "message": "Anbietername" }, "providerSetup": { "message": "Der Anbieter wurde eingerichtet." }, "clients": { "message": "Kunden" }, "providerAdmin": { "message": "Anbieter-Administrator" }, "providerAdminDesc": { "message": "Der Benutzer mit dem höchsten Zugriffsrechten, der alle Aspekte Ihres Anbieters verwalten kann, sowie auf die Kunden-Organisationen zugreifen und diese verwalten kann." }, "serviceUser": { "message": "Service Benutzer" }, "serviceUserDesc": { "message": "Service Benutzer können auf alle Kunden-Organisationen zugreifen und sie verwalten." }, "providerInviteUserDesc": { "message": "Lade einen neuen Benutzer zu deinem Anbieter ein, indem du die E-Mail-Adresse seines Bitwarden-Kontos unten einträgst. Falls dieser noch kein Bitwarden-Konto besitzt, wird er/sie zur Erstellung eines neuen Kontos aufgefordert." }, "joinProvider": { "message": "Anbieter beitreten" }, "joinProviderDesc": { "message": "Du wurdest eingeladen, dem oben genannten Anbieter beizutreten. Um die Einladung anzunehmen, musst du ein Bitwarden-Konto erstellen, oder dich mit deinem bestehenden Bitwarden-Konto anmelden." }, "providerInviteAcceptFailed": { "message": "Einladung konnte nicht angenommen werden. Bitte einen Anbieter-Administrator darum, eine neue Einladung zu versenden." }, "providerInviteAcceptedDesc": { "message": "Du kannst dem Anbieter beitreten, sobald ein Administrator deine Mitgliedschaft bestätigt hat. Wir werden dich dann per E-Mail benachrichtigen." }, "providerUsersNeedConfirmed": { "message": "Du hast Benutzer, die deine Einladung angenommen haben, aber noch bestätigt werden müssen. Benutzer haben erst Zugriff auf den Anbieter, wenn sie bestätigt wurden." }, "provider": { "message": "Anbieter" }, "newClientOrganization": { "message": "Neue Kunden-Organisation" }, "newClientOrganizationDesc": { "message": "Erstelle eine neue Kunden-Organisation, die dir als Anbieter zugeordnet wird. Du kannst auf diese Organisation zugreifen und diese verwalten." }, "addExistingOrganization": { "message": "Bestehende Organisation hinzufügen" }, "myProvider": { "message": "Mein Anbieter" }, "addOrganizationConfirmation": { "message": "Bist du sicher, dass du $ORGANIZATION$ als Kunde zu $PROVIDER$ hinzufügen möchtest?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" }, "provider": { "content": "$2", "example": "My Provider Name" } } }, "organizationJoinedProvider": { "message": "Organisation wurde erfolgreich zum Anbieter hinzugefügt" }, "accessingUsingProvider": { "message": "Zugriff auf Organisation mit Anbieter $PROVIDER$", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "providerIsDisabled": { "message": "Anbieter ist deaktiviert." }, "providerUpdated": { "message": "Anbieter aktualisiert" }, "yourProviderIs": { "message": "Dein Anbieter ist $PROVIDER$. Dieser hat Verwaltungs- und Abrechnungsrechte für deine Organisation.", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "detachedOrganization": { "message": "Die Organisation $ORGANIZATION$ wurde von deinem Anbieter getrennt.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "detachOrganizationConfirmation": { "message": "Bist du sicher, dass du diese Organisation trennen möchten? Die Organisation wird weiterhin existieren, wird aber nicht mehr vom Anbieter verwaltet." }, "add": { "message": "Hinzufügen" }, "updatedMasterPassword": { "message": "Master-Passwort aktualisiert" }, "updateMasterPassword": { "message": "Master-Passwort aktualisieren" }, "updateMasterPasswordWarning": { "message": "Dein Master-Passwort wurde kürzlich von einem Administrator deiner Organisation geändert. Um auf den Tresor zuzugreifen, musst du dein Master-Passwort jetzt aktualisieren. Wenn Du fortfährst, wirst du aus der aktuellen Sitzung abgemeldet und eine erneute Anmeldung ist erforderlich. Aktive Sitzungen auf anderen Geräten können bis zu einer Stunde weiterhin aktiv bleiben." }, "masterPasswordInvalidWarning": { "message": "Ihr Master-Passwort erfüllt nicht die Anforderungen dieser Organisation. Um der Organisation beizutreten, müssen Sie Ihr Master-Passwort jetzt aktualisieren. Ein Fortfahren wird Ihre aktuelle Sitzung abmelden. Danach müssen Sie sich wieder anmelden. Aktive Sitzungen auf anderen Geräten können bis zu einer Stunde weiterhin aktiv bleiben." }, "maximumVaultTimeout": { "message": "Tresor-Timeout" }, "maximumVaultTimeoutDesc": { "message": "Konfiguriere ein maximales Tresor-Timeout für alle Benutzer." }, "maximumVaultTimeoutLabel": { "message": "Maximales Tresor-Timeout" }, "invalidMaximumVaultTimeout": { "message": "Ungültiger maximaler Tresor-Timeout." }, "hours": { "message": "Stunden" }, "minutes": { "message": "Minuten" }, "vaultTimeoutPolicyInEffect": { "message": "Deine Unternehmensrichtlinien beeinflussen dein Tresor-Timeout. Das maximal zulässige Tresor-Timeout ist $HOURS$ Stunde(n) und $MINUTES$ Minute(n)", "placeholders": { "hours": { "content": "$1", "example": "5" }, "minutes": { "content": "$2", "example": "5" } } }, "customVaultTimeout": { "message": "Benutzerdefinierter Tresor-Timeout" }, "vaultTimeoutToLarge": { "message": "Dein Tresor-Timeout überschreitet die von deinem Unternehmen festgelegte Beschränkung." }, "disablePersonalVaultExport": { "message": "Persönlichen Tresor-Export deaktivieren" }, "disablePersonalVaultExportDesc": { "message": "Benutzern den Export ihrer privaten Tresor-Daten verbieten." }, "vaultExportDisabled": { "message": "Tresor-Export deaktiviert" }, "personalVaultExportPolicyInEffect": { "message": "Eine oder mehrere Unternehmensrichtlinien verhindern es, dass du deinen persönlichen Tresor exportieren kannst." }, "selectType": { "message": "SSO-Typ auswählen" }, "type": { "message": "Typ" }, "openIdConnectConfig": { "message": "OpenID Connect Konfiguration" }, "samlSpConfig": { "message": "SAML Dienstanbieter Konfiguration" }, "samlIdpConfig": { "message": "SAML Identitätsanbieter Konfiguration" }, "callbackPath": { "message": "Rückruf Pfad" }, "signedOutCallbackPath": { "message": "Rückruf Pfad abgemeldet" }, "authority": { "message": "Zertifizierungsstelle" }, "clientId": { "message": "Client-ID" }, "clientSecret": { "message": "Client Geheimnis" }, "metadataAddress": { "message": "Metadaten Adresse" }, "oidcRedirectBehavior": { "message": "OIDC Weiterleitungsverhalten" }, "getClaimsFromUserInfoEndpoint": { "message": "Ansprüche vom Benutzer Info-Endpunkt erhalten" }, "additionalScopes": { "message": "Zusätzliche/Benutzerdefinierte Bereiche (durch Komma getrennt)" }, "additionalUserIdClaimTypes": { "message": "Zusätzliche/benutzerdefinierte Client-ID Anspruchstypen (durch Komma getrennt)" }, "additionalEmailClaimTypes": { "message": "Zusätzliche/Benutzerdefinierte E-Mail Anspruchstypen (durch Komma getrennt)" }, "additionalNameClaimTypes": { "message": "Zusätzliche/Benutzerdefinierte Namen Anspruchstypen (durch Komma getrennt)" }, "acrValues": { "message": "Angeforderte Authentifizierungskontextklassen Referenzwerte (acr_values)" }, "expectedReturnAcrValue": { "message": "\"acr\" Anspruchswert in Antwort erwartet (acr Validation)" }, "spEntityId": { "message": "SP Entitäts-ID" }, "spMetadataUrl": { "message": "SAML 2.0 Metadaten-URL" }, "spAcsUrl": { "message": "Assertion Consumer Service (ACS) URL" }, "spNameIdFormat": { "message": "Namen ID-Format" }, "spOutboundSigningAlgorithm": { "message": "Ausgehender Signaturalgorithmus" }, "spSigningBehavior": { "message": "Signaturverhalten" }, "spMinIncomingSigningAlgorithm": { "message": "Minimal eingehender Signaturalgorithmus" }, "spWantAssertionsSigned": { "message": "Möchte Zusicherungen signieren" }, "spValidateCertificates": { "message": "Zertifikate überprüfen" }, "idpEntityId": { "message": "Entitäts-ID" }, "idpBindingType": { "message": "Bindungstyp" }, "idpSingleSignOnServiceUrl": { "message": "Single Sign-On Service-URL" }, "idpSingleLogoutServiceUrl": { "message": "Single Log-Out Service-URL" }, "idpX509PublicCert": { "message": "Öffentliches X509-Zertifikat" }, "idpOutboundSigningAlgorithm": { "message": "Ausgehender Signaturalgorithmus" }, "idpAllowUnsolicitedAuthnResponse": { "message": "Erlaube unaufgeforderte Authentifizierungsantwort" }, "idpAllowOutboundLogoutRequests": { "message": "Ausgehende Abmeldeanfragen erlauben" }, "idpSignAuthenticationRequests": { "message": "Signiere Authentifizierungsanfragen" }, "ssoSettingsSaved": { "message": "Single Sign-On Konfiguration wurde gespeichert." }, "sponsoredFamilies": { "message": "Kostenloses Bitwarden Familienabo" }, "sponsoredFamiliesEligible": { "message": "Du und deine Familie haben Anspruch auf ein kostenloses Bitwarden Familienabo. Mit deiner persönlichen E-Mail einlösen, um deine Daten zu schützen, auch wenn du nicht am Arbeitsplatz bist." }, "sponsoredFamiliesEligibleCard": { "message": "Löse dein kostenloses Bitwarden für Familien Abo heute ein, um deine Daten zu schützen, auch wenn du nicht am Arbeitsplatz bist." }, "sponsoredFamiliesInclude": { "message": "Das Bitwarden für Familien Abo beinhaltet" }, "sponsoredFamiliesPremiumAccess": { "message": "Premium-Zugang für bis zu 6 Benutzer" }, "sponsoredFamiliesSharedCollections": { "message": "Gemeinsame Sammlungen für Familiengeheimnisse" }, "badToken": { "message": "Der Link ist nicht mehr gültig. Bitte lasse dir vom Förderer das Angebot erneut senden." }, "reclaimedFreePlan": { "message": "Kostenloses Abo zurückgefordert" }, "redeem": { "message": "Einlösen" }, "sponsoredFamiliesSelectOffer": { "message": "Wähle die Organisation aus, die du gerne fördern möchtest" }, "familiesSponsoringOrgSelect": { "message": "Welches kostenlose Familienangebot möchtest du einlösen?" }, "sponsoredFamiliesEmail": { "message": "Gebe deine persönliche E-Mail ein, um Bitwarden Familien einlösen zu können" }, "sponsoredFamiliesLeaveCopy": { "message": "Wenn du diese Organisation verlässt oder aus ihr entfernt wirst, läuft dein Familien-Abo am Ende des Abrechnungszeitraums ab." }, "acceptBitwardenFamiliesHelp": { "message": "Angebot für eine bestehende Organisation akzeptieren oder eine neue Familien-Organisation erstellen." }, "setupSponsoredFamiliesLoginDesc": { "message": "Dir wurde ein kostenloses Bitwarden Familien-Organisationsabo angeboten. Um fortzufahren, musst du dich in das Konto einloggen, das das Angebot erhalten hat." }, "sponsoredFamiliesAcceptFailed": { "message": "Angebot kann nicht angenommen werden. Bitte sende die Angebotsmail von deinem Unternehmenskonto erneut und versuche es noch einmal." }, "sponsoredFamiliesAcceptFailedShort": { "message": "Angebot kann nicht angenommen werden. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must have at least one existing Families Organization." } } }, "sponsoredFamiliesOffer": { "message": "Kostenloses Bitwarden Familien-Organisationsangebot einlösen" }, "sponsoredFamiliesOfferRedeemed": { "message": "Kostenloses Bitwarden Familien-Angebot erfolgreich eingelöst" }, "redeemed": { "message": "Eingelöst" }, "redeemedAccount": { "message": "Eingelöstes Konto" }, "revokeAccount": { "message": "Konto $NAME$ zurückziehen", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "resendEmailLabel": { "message": "Sponsoring-E-Mail erneut an $NAME$ Sponsoring senden", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "freeFamiliesPlan": { "message": "Kostenloses Familien Abo" }, "redeemNow": { "message": "Jetzt einlösen" }, "recipient": { "message": "Empfänger" }, "removeSponsorship": { "message": "Sponsoring entfernen" }, "removeSponsorshipConfirmation": { "message": "Nachdem du eine Förderung entfernt hast, bist du für dieses Abo und die damit verbundenen Rechnungen verantwortlich. Bist du sicher, dass du fortfahren möchtest?" }, "sponsorshipCreated": { "message": "Förderung erstellt" }, "revoke": { "message": "Zurückziehen" }, "emailSent": { "message": "E-Mail gesendet" }, "revokeSponsorshipConfirmation": { "message": "Nach dem Entfernen dieses Kontos ist der Besitzer der Familienorganisation für dieses Abo und die damit verbundenen Rechnungen verantwortlich. Bist du sicher, dass du fortfahren möchtest?" }, "removeSponsorshipSuccess": { "message": "Förderung entfernt" }, "ssoKeyConnectorUnavailable": { "message": "Der Key Connector konnte nicht erreicht werden. Versuche es später erneut." }, "keyConnectorUrl": { "message": "Key Connector URL" }, "sendVerificationCode": { "message": "Einen Bestätigungscode an deine E-Mail senden" }, "sendCode": { "message": "Code senden" }, "codeSent": { "message": "Code gesendet" }, "verificationCode": { "message": "Verifizierungscode" }, "confirmIdentity": { "message": "Bestätige deine Identität, um fortzufahren." }, "verificationCodeRequired": { "message": "Verifizierungscode ist erforderlich." }, "invalidVerificationCode": { "message": "Ungültiger Verifizierungscode" }, "convertOrganizationEncryptionDesc": { "message": "$ORGANIZATION$ verwendet SSO mit einem selbst gehosteten Schlüsselserver. Ein Master-Passwort ist nicht mehr erforderlich, damit sich Mitglieder dieser Organisation anmelden können.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "leaveOrganization": { "message": "Organisation verlassen" }, "removeMasterPassword": { "message": "Master-Passwort entfernen" }, "removedMasterPassword": { "message": "Master-Passwort entfernt." }, "allowSso": { "message": "SSO-Authentifizierung erlauben" }, "allowSsoDesc": { "message": "Nach der Einrichtung wird deine Konfiguration gespeichert und die Mitglieder können sich mit ihren Identitätsanbieter-Anmeldedaten authentifizieren." }, "ssoPolicyHelpStart": { "message": "Aktiviere die", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpLink": { "message": "SSO-Richtlinie", "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": ", um zu erzwingen, dass sich alle Mitglieder mit SSO anmelden.", "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-Authentifizierung und Richtlinien für eine einzelne Organisation werden benötigt, um die Key Connector Entschlüsselung einzurichten." }, "memberDecryptionOption": { "message": "Entschlüsselungsoptionen für Mitglieder" }, "memberDecryptionPassDesc": { "message": "Einmal authentifiziert, entschlüsseln Mitglieder Tresordaten mit ihren Master-Passwörtern." }, "keyConnector": { "message": "Key Connector" }, "memberDecryptionKeyConnectorDesc": { "message": "Verbinde die Anmeldung über SSO mit deinem selbst gehosteten Entschlüssel-Schlüssel-Server. Mit dieser Option müssen Mitglieder ihre Masterpasswörter nicht verwenden, um Tresordaten zu entschlüsseln." }, "keyConnectorPolicyRestriction": { "message": "\"Anmelden mit SSO und Key-Connector-Entschlüsselung\" ist aktiviert. Diese Richtlinie gilt nur für Eigentümer und Adminstratoren." }, "enabledSso": { "message": "SSO aktiviert" }, "disabledSso": { "message": "SSO deaktiviert" }, "enabledKeyConnector": { "message": "Key Connector aktiviert" }, "disabledKeyConnector": { "message": "Key Connector deaktiviert" }, "keyConnectorWarning": { "message": "Sobald der Key Connector eingerichtet ist, können die Mitglieder-Entschlüsselungsoptionen nicht geändert werden." }, "migratedKeyConnector": { "message": "Zum Key Connector migriert" }, "paymentSponsored": { "message": "Bitte gib eine Zahlungsmethode an, die mit der Organisation verbunden wird. Keine Sorge, wir werden dir nichts berechnen, es sei denn, du wählst zusätzliche Funktionen aus oder deine Förderung läuft ab. " }, "orgCreatedSponsorshipInvalid": { "message": "Das Förderangebot ist abgelaufen. Du kannst die Organisation, die du erstellt hast, löschen, um eine Gebühr am Ende deiner 7-Tage-Testversion zu vermeiden. Andernfalls kannst du diese Meldung schließen, um die Organisation zu behalten und die Rechnungsverantwortung zu übernehmen." }, "newFamiliesOrganization": { "message": "Neue Familien-Organisation" }, "acceptOffer": { "message": "Angebot annehmen" }, "sponsoringOrg": { "message": "Förderorganisation" }, "keyConnectorTest": { "message": "Test" }, "keyConnectorTestSuccess": { "message": "Erfolg! Key Connector erreicht." }, "keyConnectorTestFail": { "message": "Key Connector nicht erreichbar. URL überprüfen." }, "sponsorshipTokenHasExpired": { "message": "Das Förderangebot ist abgelaufen." }, "freeWithSponsorship": { "message": "KOSTENLOS mit Förderung" }, "formErrorSummaryPlural": { "message": "$COUNT$ Felder oben müssen beachtet werden.", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "formErrorSummarySingle": { "message": "1 Feld oben muss beachtet werden." }, "fieldRequiredError": { "message": "$FIELDNAME$ ist erforderlich.", "placeholders": { "fieldname": { "content": "$1", "example": "Full name" } } }, "required": { "message": "erforderlich" }, "idpSingleSignOnServiceUrlRequired": { "message": "Erforderlich, wenn die Entitäts-ID keine URL ist." }, "openIdOptionalCustomizations": { "message": "Optionale Anpassungen" }, "openIdAuthorityRequired": { "message": "Erforderlich, wenn die Zertifizierungsstelle nicht gültig ist." }, "separateMultipleWithComma": { "message": "Mehrere mit einem Komma trennen." }, "sessionTimeout": { "message": "Deine Sitzung ist abgelaufen. Bitte gehe zurück und versuche dich erneut einzuloggen." }, "exportingPersonalVaultTitle": { "message": "Persönlichen Tresor exportieren" }, "exportingOrganizationVaultTitle": { "message": "Tresor der Organisation exportieren" }, "exportingPersonalVaultDescription": { "message": "Nur die persönlichen Tresoreinträge, die mit $EMAIL$ verbunden sind, werden exportiert. Tresoreinträge der Organisation werden nicht berücksichtigt.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" } } }, "exportingOrganizationVaultDescription": { "message": "Nur der mit $ORGANIZATION$ verbundene Tresor der Organisation wird exportiert. Persönliche Tresoreinträge und Einträge anderer Organisationen werden nicht berücksichtigt.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "backToReports": { "message": "Zurück zu den Berichten" }, "generator": { "message": "Generator" }, "whatWouldYouLikeToGenerate": { "message": "Was möchtest du generieren?" }, "passwordType": { "message": "Passworttyp" }, "regenerateUsername": { "message": "Benutzername neu generieren" }, "generateUsername": { "message": "Benutzernamen generieren" }, "usernameType": { "message": "Benutzernamentyp" }, "plusAddressedEmail": { "message": "Plus Addressed Email", "description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com" }, "plusAddressedEmailDesc": { "message": "Use your email provider's sub-addressing capabilities." }, "catchallEmail": { "message": "Catch-all-E-Mail-Adresse" }, "catchallEmailDesc": { "message": "Verwenden Sie den konfigurierten Catch-All-Posteingang Ihrer Domain." }, "random": { "message": "Zufällig" }, "randomWord": { "message": "Zufälliges Wort" }, "service": { "message": "Dienst" } }
bitwarden/web/src/locales/de/messages.json/0
{ "file_path": "bitwarden/web/src/locales/de/messages.json", "repo_id": "bitwarden", "token_count": 64957 }
182
{ "pageTitle": { "message": "Cassaforte web di $APP_NAME$", "description": "The title of the website in the browser window.", "placeholders": { "app_name": { "content": "$1", "example": "Bitwarden" } } }, "whatTypeOfItem": { "message": "Di quale elemento si tratta?" }, "name": { "message": "Nome" }, "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": "Nuovo URI" }, "username": { "message": "Nome utente" }, "password": { "message": "Password" }, "newPassword": { "message": "Nuova password" }, "passphrase": { "message": "Frase segreta" }, "notes": { "message": "Note" }, "customFields": { "message": "Campi personalizzati" }, "cardholderName": { "message": "Titolare della carta" }, "number": { "message": "Numero" }, "brand": { "message": "Marca" }, "expiration": { "message": "Scadenza" }, "securityCode": { "message": "Codice di sicurezza (CVV)" }, "identityName": { "message": "Nome dell'identità" }, "company": { "message": "Azienda" }, "ssn": { "message": "Codice fiscale/Previdenza sociale" }, "passportNumber": { "message": "Numero del passaporto" }, "licenseNumber": { "message": "Numero della patente" }, "email": { "message": "Email" }, "phone": { "message": "Telefono" }, "january": { "message": "Gennaio" }, "february": { "message": "Febbraio" }, "march": { "message": "Marzo" }, "april": { "message": "Aprile" }, "may": { "message": "Maggio" }, "june": { "message": "Giugno" }, "july": { "message": "Luglio" }, "august": { "message": "Agosto" }, "september": { "message": "Settembre" }, "october": { "message": "Ottobre" }, "november": { "message": "Novembre" }, "december": { "message": "Dicembre" }, "title": { "message": "Titolo" }, "mr": { "message": "Sig" }, "mrs": { "message": "Sig.ra" }, "ms": { "message": "Sig.na" }, "dr": { "message": "Dott." }, "expirationMonth": { "message": "Mese di scadenza" }, "expirationYear": { "message": "Anno di scadenza" }, "authenticatorKeyTotp": { "message": "Chiave di autenticazione (TOTP)" }, "folder": { "message": "Cartella" }, "newCustomField": { "message": "Nuovo campo personalizzato" }, "value": { "message": "Valore" }, "dragToSort": { "message": "Trascina per ordinare" }, "cfTypeText": { "message": "Testo" }, "cfTypeHidden": { "message": "Nascosto" }, "cfTypeBoolean": { "message": "Booleano" }, "cfTypeLinked": { "message": "Collegato", "description": "This describes a field that is 'linked' (related) to another field." }, "remove": { "message": "Rimuovi" }, "unassigned": { "message": "Non assegnato" }, "noneFolder": { "message": "Nessuna cartella", "description": "This is the folder for uncategorized items" }, "addFolder": { "message": "Aggiungi cartella" }, "editFolder": { "message": "Modifica cartella" }, "baseDomain": { "message": "Dominio di base", "description": "Domain name. Ex. website.com" }, "domainName": { "message": "Nome dominio", "description": "Domain name. Ex. website.com" }, "host": { "message": "Host", "description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'." }, "exact": { "message": "Esatto" }, "startsWith": { "message": "Inizia con" }, "regEx": { "message": "Espressione regolare", "description": "A programming term, also known as 'RegEx'." }, "matchDetection": { "message": "Rilevamento di corrispondenza", "description": "URI match detection for auto-fill." }, "defaultMatchDetection": { "message": "Rilevamento di corrispondenza predefinito", "description": "Default URI match detection for auto-fill." }, "never": { "message": "Mai" }, "toggleVisibility": { "message": "Mostra/nascondi" }, "toggleCollapse": { "message": "Comprimi/espandi", "description": "Toggling an expand/collapse state." }, "generatePassword": { "message": "Genera password" }, "checkPassword": { "message": "Verifica se la password è stata esposta." }, "passwordExposed": { "message": "Questa password è presente $VALUE$ volta/e in database di violazioni. Dovresti cambiarla.", "placeholders": { "value": { "content": "$1", "example": "2" } } }, "passwordSafe": { "message": "Questa password non è stata trovata in database di violazioni noti. Dovrebbe essere sicura da usare." }, "save": { "message": "Salva" }, "cancel": { "message": "Annulla" }, "canceled": { "message": "Annullato" }, "close": { "message": "Chiudi" }, "delete": { "message": "Elimina" }, "favorite": { "message": "Preferito" }, "unfavorite": { "message": "Rimuovi dai preferiti" }, "edit": { "message": "Modifica" }, "searchCollection": { "message": "Cerca nella raccolta" }, "searchFolder": { "message": "Cerca nella cartella" }, "searchFavorites": { "message": "Cerca tra i preferiti" }, "searchType": { "message": "Cerca tipo", "description": "Search item type" }, "searchVault": { "message": "Cerca nella cassaforte" }, "allItems": { "message": "Tutti gli elementi" }, "favorites": { "message": "Preferiti" }, "types": { "message": "Tipi" }, "typeLogin": { "message": "Accesso" }, "typeCard": { "message": "Carta" }, "typeIdentity": { "message": "Identità" }, "typeSecureNote": { "message": "Nota sicura" }, "typeLoginPlural": { "message": "Login" }, "typeCardPlural": { "message": "Carte" }, "typeIdentityPlural": { "message": "Identità" }, "typeSecureNotePlural": { "message": "Note sicure" }, "folders": { "message": "Cartelle" }, "collections": { "message": "Raccolte" }, "firstName": { "message": "Nome" }, "middleName": { "message": "Secondo nome" }, "lastName": { "message": "Cognome" }, "fullName": { "message": "Nome completo" }, "address1": { "message": "Indirizzo 1" }, "address2": { "message": "Indirizzo 2" }, "address3": { "message": "Indirizzo 3" }, "cityTown": { "message": "Città / Comune" }, "stateProvince": { "message": "Stato / Provincia" }, "zipPostalCode": { "message": "CAP" }, "country": { "message": "Nazione" }, "shared": { "message": "Condiviso" }, "attachments": { "message": "Allegati" }, "select": { "message": "Seleziona" }, "addItem": { "message": "Aggiungi elemento" }, "editItem": { "message": "Modifica elemento" }, "viewItem": { "message": "Visualizza elemento" }, "ex": { "message": "es.", "description": "Short abbreviation for 'example'." }, "other": { "message": "Altro" }, "share": { "message": "Condividi" }, "moveToOrganization": { "message": "Sposta in organizzazione" }, "valueCopied": { "message": "$VALUE$ copiata", "description": "Value has been copied to the clipboard.", "placeholders": { "value": { "content": "$1", "example": "Password" } } }, "copyValue": { "message": "Copia valore", "description": "Copy value to clipboard" }, "copyPassword": { "message": "Copia password", "description": "Copy password to clipboard" }, "copyUsername": { "message": "Copia nome utente", "description": "Copy username to clipboard" }, "copyNumber": { "message": "Copia numero", "description": "Copy credit card number" }, "copySecurityCode": { "message": "Copia codice di sicurezza", "description": "Copy credit card security code (CVV)" }, "copyUri": { "message": "Copia URI", "description": "Copy URI to clipboard" }, "myVault": { "message": "La mia cassaforte" }, "vault": { "message": "Cassaforte" }, "moveSelectedToOrg": { "message": "Sposta selezionati in organizzazione" }, "deleteSelected": { "message": "Elimina selezionati" }, "moveSelected": { "message": "Sposta selezionati" }, "selectAll": { "message": "Seleziona tutto" }, "unselectAll": { "message": "Deseleziona tutto" }, "launch": { "message": "Avvia" }, "newAttachment": { "message": "Aggiungi nuovo allegato" }, "deletedAttachment": { "message": "Allegato eliminato" }, "deleteAttachmentConfirmation": { "message": "Sei sicuro di voler eliminare questo allegato?" }, "attachmentSaved": { "message": "L'allegato è stato salvato." }, "file": { "message": "File" }, "selectFile": { "message": "Seleziona un file." }, "maxFileSize": { "message": "La dimensione massima del file è di 500 MB." }, "updateKey": { "message": "Non puoi utilizzare questa funzione finché non aggiorni la tua chiave di cifratura." }, "addedItem": { "message": "Elemento aggiunto" }, "editedItem": { "message": "Elemento modificato" }, "movedItemToOrg": { "message": "$ITEMNAME$ spostato in $ORGNAME$", "placeholders": { "itemname": { "content": "$1", "example": "Secret Item" }, "orgname": { "content": "$2", "example": "Company Name" } } }, "movedItemsToOrg": { "message": "Elementi selezionati spostati in $ORGNAME$", "placeholders": { "orgname": { "content": "$1", "example": "Company Name" } } }, "deleteItem": { "message": "Elimina elemento" }, "deleteFolder": { "message": "Elimina cartella" }, "deleteAttachment": { "message": "Elimina allegato" }, "deleteItemConfirmation": { "message": "Sei sicuro di voler eliminare questo elemento?" }, "deletedItem": { "message": "Elemento cestinato" }, "deletedItems": { "message": "Elementi cestinati" }, "movedItems": { "message": "Elementi spostati" }, "overwritePasswordConfirmation": { "message": "Sei sicuro di voler sovrascrivere la password corrente?" }, "editedFolder": { "message": "Cartella modificata" }, "addedFolder": { "message": "Cartella aggiunta" }, "deleteFolderConfirmation": { "message": "Sei sicuro di voler eliminare questa cartella?" }, "deletedFolder": { "message": "Cartella eliminata" }, "loggedOut": { "message": "Disconnesso" }, "loginExpired": { "message": "La tua sessione è scaduta." }, "logOutConfirmation": { "message": "Sei sicuro di volerti disconnettere?" }, "logOut": { "message": "Disconnetti" }, "ok": { "message": "Ok" }, "yes": { "message": "Sì" }, "no": { "message": "No" }, "loginOrCreateNewAccount": { "message": "Accedi o crea un nuovo account per accedere alla tua cassaforte." }, "createAccount": { "message": "Crea account" }, "logIn": { "message": "Accedi" }, "submit": { "message": "Invia" }, "emailAddressDesc": { "message": "Utilizzerai il tuo indirizzo email per accedere." }, "yourName": { "message": "Il tuo nome" }, "yourNameDesc": { "message": "Come dovremmo chiamarti?" }, "masterPass": { "message": "Password principale" }, "masterPassDesc": { "message": "La password principale è la password che utilizzi per accedere alla tua cassaforte. È molto importante che tu non la dimentichi. Non c'è modo di recuperare questa password nel caso che tu la dimenticassi." }, "masterPassHintDesc": { "message": "Un suggerimento che può aiutarti a ricordare la tua password principale se la dimentichi." }, "reTypeMasterPass": { "message": "Digita nuovamente la password principale" }, "masterPassHint": { "message": "Suggerimento per la password principale (facoltativo)" }, "masterPassHintLabel": { "message": "Suggerimento per la password principale" }, "settings": { "message": "Impostazioni" }, "passwordHint": { "message": "Suggerimento password" }, "enterEmailToGetHint": { "message": "Inserisci l'indirizzo email del tuo account per ricevere il suggerimento della password principale." }, "getMasterPasswordHint": { "message": "Ottieni il suggerimento per la password principale" }, "emailRequired": { "message": "L'indirizzo email è obbligatorio." }, "invalidEmail": { "message": "L'indirizzo email non è valido." }, "masterPassRequired": { "message": "La password principale è obbligatoria." }, "masterPassLength": { "message": "La password principale deve essere almeno di 8 caratteri." }, "masterPassDoesntMatch": { "message": "La conferma della password principale non corrisponde." }, "newAccountCreated": { "message": "Il tuo nuovo account è stato creato! Ora puoi accedere." }, "masterPassSent": { "message": "Ti abbiamo inviato un'email con il tuo suggerimento per la password principale." }, "unexpectedError": { "message": "Si è verificato un errore imprevisto." }, "emailAddress": { "message": "Indirizzo email" }, "yourVaultIsLocked": { "message": "La tua cassaforte è bloccata. Verifica la tua password principale per continuare." }, "unlock": { "message": "Sblocca" }, "loggedInAsEmailOn": { "message": "Accesso effettuato come $EMAIL$ su $HOSTNAME$.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" }, "hostname": { "content": "$2", "example": "bitwarden.com" } } }, "invalidMasterPassword": { "message": "Password principale errata" }, "lockNow": { "message": "Blocca" }, "noItemsInList": { "message": "Non ci sono elementi da mostrare." }, "noCollectionsInList": { "message": "Nessuna raccolta da visualizzare." }, "noGroupsInList": { "message": "Non ci sono gruppi da elencare." }, "noUsersInList": { "message": "Non ci sono utenti da elencare." }, "noEventsInList": { "message": "Non ci sono eventi da elencare." }, "newOrganization": { "message": "Nuova organizzazione" }, "noOrganizationsList": { "message": "Non appartieni ad alcuna organizzazione. Le organizzazioni ti consentono di condividere oggetti in modo sicuro con altri utenti." }, "versionNumber": { "message": "Versione $VERSION_NUMBER$", "placeholders": { "version_number": { "content": "$1", "example": "1.2.3" } } }, "enterVerificationCodeApp": { "message": "Inserisci il codice di verifica a 6 cifre dalla tua applicazione di autenticazione." }, "enterVerificationCodeEmail": { "message": "Inserisci il codice di verifica a 6 cifre che è stato inviato all'indirizzo $EMAIL$.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "verificationCodeEmailSent": { "message": "L'email di verifica è stata inviata all'indirizzo $EMAIL$.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "rememberMe": { "message": "Ricordami" }, "sendVerificationCodeEmailAgain": { "message": "Invia nuovamente codice di verifica email" }, "useAnotherTwoStepMethod": { "message": "Usa un altro metodo di verifica in due passaggi" }, "insertYubiKey": { "message": "Inserisci la tua YubiKey nella porta USB del computer, poi premi il suo pulsante." }, "insertU2f": { "message": "Inserisci la tua chiave di sicurezza nella porta USB del tuo computer. Se dispone di un pulsante, premilo." }, "loginUnavailable": { "message": "Accesso non disponibile" }, "noTwoStepProviders": { "message": "La verifica in due passaggi è abilitata su questo account, ma nessuno dei metodi configurati è supportato da questo browser." }, "noTwoStepProviders2": { "message": "Utilizza un browser supportato (come Chrome) e/o aggiungi altri metodi per la verifica in due passaggi che sono supportati meglio dai browser (come un'applicazione di autenticazione)." }, "twoStepOptions": { "message": "Opzioni verifica in due passaggi" }, "recoveryCodeDesc": { "message": "Hai perso l'accesso a tutti i tuoi metodi di verifica in due passaggi? Usa il tuo codice di recupero per disattivare tutti i metodi di verifica sul tuo account." }, "recoveryCodeTitle": { "message": "Codice di recupero" }, "authenticatorAppTitle": { "message": "Applicazione di autenticazione" }, "authenticatorAppDesc": { "message": "Usa un'applicazione di autenticazione (come Authy o Google Authenticator) per generare codici di verifica a tempo.", "description": "'Authy' and 'Google Authenticator' are product names and should not be translated." }, "yubiKeyTitle": { "message": "Chiave di sicurezza YubiKey OTP" }, "yubiKeyDesc": { "message": "Utilizza una YubiKey per accedere al tuo account. Funziona con dispositivi YubiKey serie 4, serie 5 e NEO." }, "duoDesc": { "message": "Verifica con Duo Security usando l'applicazione Duo Mobile, SMS, chiamata telefonica, o chiave di sicurezza U2F.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "duoOrganizationDesc": { "message": "Verifica con Duo Security per la tua organizzazione usando l'applicazione Duo Mobile, SMS, chiamata telefonica, o chiave di sicurezza U2F.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "u2fDesc": { "message": "Usa una chiave di sicurezza compatibile con FIDO U2F per accedere al tuo account." }, "u2fTitle": { "message": "Chiave di sicurezza FIDO U2F" }, "webAuthnTitle": { "message": "FIDO2 WebAuthn" }, "webAuthnDesc": { "message": "Usa qualsiasi chiave di sicurezza abilitata WebAuthn per accedere al tuo account." }, "webAuthnMigrated": { "message": "(Migrati da FIDO)" }, "emailTitle": { "message": "Email" }, "emailDesc": { "message": "I codici di verifica ti saranno inviati per email." }, "continue": { "message": "Continua" }, "organization": { "message": "Organizzazione" }, "organizations": { "message": "Organizzazioni" }, "moveToOrgDesc": { "message": "Scegli un'organizzazione in cui desideri spostare questo elemento. Lo spostamento in un'organizzazione trasferisce la proprietà dell'elemento all'organizzazione. Non sarai più il proprietario diretto di questo elemento una volta spostato." }, "moveManyToOrgDesc": { "message": "Scegli un'organizzazione in cui desideri spostare questo elemento. Lo spostamento in un'organizzazione trasferisce la proprietà dell'elemento all'organizzazione. Non sarai più il proprietario diretto di questo elemento una volta spostato." }, "collectionsDesc": { "message": "Modifica le raccolte con le quali questo elemento viene condiviso. Solo gli utenti di organizzazioni che hanno accesso a queste raccolte saranno in grado di visualizzare questo elemento." }, "deleteSelectedItemsDesc": { "message": "La selezione comprende $COUNT$ elemento/i da eliminare. Sei sicuro di voler procedere con l'eliminazione?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsDesc": { "message": "La selezione comprende $COUNT$ elemento/i da spostare. Scegli una cartella di destinazione.", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsCountDesc": { "message": "Hai selezionato $COUNT$ elementi. $MOVEABLE_COUNT$ elementi possono essere spostati in un'organizzazione, $NONMOVEABLE_COUNT$ no.", "placeholders": { "count": { "content": "$1", "example": "10" }, "moveable_count": { "content": "$2", "example": "8" }, "nonmoveable_count": { "content": "$3", "example": "2" } } }, "verificationCodeTotp": { "message": "Codice di verifica (TOTP)" }, "copyVerificationCode": { "message": "Copia il codice di verifica" }, "warning": { "message": "Attenzione" }, "confirmVaultExport": { "message": "Conferma esportazione della cassaforte" }, "exportWarningDesc": { "message": "Questa esportazione contiene i dati della tua cassaforte in un formato non cifrato. Non salvare o inviare il file esportato su canali non protetti (come la posta elettronica). Eliminalo immediatamente dopo l'utilizzo." }, "encExportKeyWarningDesc": { "message": "Questa esportazione cifra i tuoi dati utilizzando la chiave di cifratura del tuo account. Se cambi la chiave di cifratura del tuo account, non sarai più in grado di decifrare il file esportato e sarà necessario eseguire una nuova esportazione." }, "encExportAccountWarningDesc": { "message": "Le chiavi di cifratura dell'account sono uniche per ogni account utente Bitwarden, quindi non è possibile importare un'esportazione cifrata in un account diverso." }, "export": { "message": "Esporta" }, "exportVault": { "message": "Esporta cassaforte" }, "fileFormat": { "message": "Formato file" }, "exportSuccess": { "message": "I dati della tua cassaforte sono stati esportati." }, "passwordGenerator": { "message": "Generatore di password" }, "minComplexityScore": { "message": "Punteggio minimo di complessità" }, "minNumbers": { "message": "Minimo di numeri" }, "minSpecial": { "message": "Minimo di speciali", "description": "Minimum Special Characters" }, "ambiguous": { "message": "Evita caratteri ambigui" }, "regeneratePassword": { "message": "Rigenera password" }, "length": { "message": "Lunghezza" }, "numWords": { "message": "Numero di parole" }, "wordSeparator": { "message": "Separatore parole" }, "capitalize": { "message": "Rendi maiuscolo", "description": "Make the first letter of a work uppercase." }, "includeNumber": { "message": "Includi numero" }, "passwordHistory": { "message": "Cronologia delle password" }, "noPasswordsInList": { "message": "Non ci sono password da elencare." }, "clear": { "message": "Cancella", "description": "To clear something out. example: To clear browser history." }, "accountUpdated": { "message": "Account aggiornato" }, "changeEmail": { "message": "Cambia indirizzo email" }, "changeEmailTwoFactorWarning": { "message": "Procedendo l'indirizzo email del tuo account sarà modificato ma non cambierà l'email utilizzata per l'autenticazione a due fattori. È possibile modificare questa email nelle impostazioni di accesso in due passaggi." }, "newEmail": { "message": "Nuova email" }, "code": { "message": "Codice" }, "changeEmailDesc": { "message": "Abbiamo inviato un codice di verifica all'indirizzo $EMAIL$. Controlla la tua posta e inserisci il codice qui sotto per confermare la modifica al tuo indirizzo email.", "placeholders": { "email": { "content": "$1", "example": "john.smith@example.com" } } }, "loggedOutWarning": { "message": "Procedendo sarai disconnesso dalla sessione corrente, sarà necessario autenticarsi nuovamente. Le sessioni attive su altri dispositivi potrebbero rimanere attive per un massimo di un'ora." }, "emailChanged": { "message": "Email modificata" }, "logBackIn": { "message": "Accedi nuovamente." }, "logBackInOthersToo": { "message": "Accedi nuovamente. Se ci sono altre sessioni di Bitwarden attive, ripeti l'accesso anche su quei dispositivi." }, "changeMasterPassword": { "message": "Cambia password principale" }, "masterPasswordChanged": { "message": "Password principale cambiata" }, "currentMasterPass": { "message": "Password principale attuale" }, "newMasterPass": { "message": "Nuova password principale" }, "confirmNewMasterPass": { "message": "Conferma nuova password principale" }, "encKeySettings": { "message": "Impostazioni chiave di cifratura" }, "kdfAlgorithm": { "message": "Algoritmo KDF" }, "kdfIterations": { "message": "Iterazioni KDF" }, "kdfIterationsDesc": { "message": "Un numero di iterazioni KDF più elevato può aiutare a proteggere la tua password principale dall'essere forzata da un utente malintenzionato. Consigliamo un valore di $VALUE$ o più.", "placeholders": { "value": { "content": "$1", "example": "100,000" } } }, "kdfIterationsWarning": { "message": "Impostare un numero troppo elevato di iterazioni KDF potrebbe comportare prestazioni scadenti durante l'accesso (e lo sblocco) di Bitwarden su dispositivi con CPU lente. Ti consigliamo di aumentare il valore con incrementi di $INCREMENT$ e poi provare tutti i tuoi dispositivi.", "placeholders": { "increment": { "content": "$1", "example": "50,000" } } }, "changeKdf": { "message": "Cambia KDF" }, "encKeySettingsChanged": { "message": "Impostazioni chiave di cifratura modificate" }, "dangerZone": { "message": "Zona pericolosa" }, "dangerZoneDesc": { "message": "Attento, queste azioni non sono reversibili!" }, "deauthorizeSessions": { "message": "Annulla autorizzazione sessioni" }, "deauthorizeSessionsDesc": { "message": "Preoccupato che il tuo account sia connesso su un altro dispositivo? Procedi di seguito per rimuovere l'autorizzazione a tutti i computer o dispositivi precedentemente utilizzati. Questo passaggio di sicurezza è consigliato se in precedenza hai utilizzato un PC pubblico o hai salvato per errore la tua password su un dispositivo che non è tuo. Questo passaggio cancellerà anche tutte le sessioni di verifica in due passaggi precedentemente salvate." }, "deauthorizeSessionsWarning": { "message": "La procedura ti consentirà inoltre di disconnetterti dalla sessione corrente, richiedendoti di accedere di nuovo. Se abilitato, ti verrà richiesta nuovamente la verifica in due passaggi. Le sessioni attive su altri dispositivi possono continuare a rimanere attive per un massimo di un'ora." }, "sessionsDeauthorized": { "message": "Tutte le sessioni sono state annullate" }, "purgeVault": { "message": "Svuota cassaforte" }, "purgedOrganizationVault": { "message": "Cassaforte dell'organizzazione svuotata." }, "vaultAccessedByProvider": { "message": "Accesso della cassaforte da parte del fornitore." }, "purgeVaultDesc": { "message": "Procedi in basso per eliminare tutti gli elementi e le cartelle nella cassaforte. Gli elementi che appartengono a un'organizzazione con cui condividi non saranno eliminati." }, "purgeOrgVaultDesc": { "message": "Procedi sotto per eliminare tutti gli elementi nella cassaforte dell'organizzazione." }, "purgeVaultWarning": { "message": "Lo svuotamento della cassaforte è permanente. Questa azione non è reversibile." }, "vaultPurged": { "message": "La tua cassaforte è stata svuotata." }, "deleteAccount": { "message": "Elimina account" }, "deleteAccountDesc": { "message": "Procedi qui sotto per eliminare il tuo account e tutti i dati ad esso associati." }, "deleteAccountWarning": { "message": "L'eliminazione dell'account è permanente. Questa azione non è reversibile." }, "accountDeleted": { "message": "Account eliminato" }, "accountDeletedDesc": { "message": "Il tuo account è stato eliminato e tutti i dati associati sono stati rimossi." }, "myAccount": { "message": "Il mio account" }, "tools": { "message": "Strumenti" }, "importData": { "message": "Importa dati" }, "importError": { "message": "Errore di importazione" }, "importErrorDesc": { "message": "Si è verificato un problema con i dati che hai provato a importare. Risolvi gli errori elencati di seguito nel file importato e riprova." }, "importSuccess": { "message": "I dati sono stati importati correttamente nella tua cassaforte." }, "importWarning": { "message": "Stai importando dati in $ORGANIZATION$. I tuoi dati potrebbero essere condivisi con i membri di questa organizzazione. Vuoi procedere?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "importFormatError": { "message": "I dati non sono formattati correttamente. Ricontrolla il file da importare." }, "importNothingError": { "message": "Non è stato importato nulla." }, "importEncKeyError": { "message": "Errore durante la decifratura del file esportato. La chiave di cifratura non corrisponde alla chiave di cifratura utilizzata per esportare i dati." }, "selectFormat": { "message": "Seleziona il formato del file da importare" }, "selectImportFile": { "message": "Seleziona il file da importare" }, "orCopyPasteFileContents": { "message": "oppure copia e incolla il contenuto del file da importare" }, "instructionsFor": { "message": "Istruzioni per $NAME$", "description": "The title for the import tool instructions.", "placeholders": { "name": { "content": "$1", "example": "LastPass (csv)" } } }, "options": { "message": "Opzioni" }, "optionsDesc": { "message": "Personalizza l'esperienza della tua cassaforte web." }, "optionsUpdated": { "message": "Opzioni aggiornate" }, "language": { "message": "Lingua" }, "languageDesc": { "message": "Cambia la lingua utilizzata dalla cassaforte web." }, "disableIcons": { "message": "Disabilita icone dei siti web" }, "disableIconsDesc": { "message": "Le icone dei siti web forniscono un'immagine riconoscibile accanto a ogni elemento di accesso." }, "enableGravatars": { "message": "Abilita Gravatar", "description": "'Gravatar' is the name of a service. See www.gravatar.com" }, "enableGravatarsDesc": { "message": "Usa immagine profilo caricata da gravatar.com." }, "enableFullWidth": { "message": "Abilita disposizione a larghezza piena", "description": "Allows scaling the web vault UI's width" }, "enableFullWidthDesc": { "message": "Consenti alla cassaforte web di sfruttare tutta la larghezza della finestra del browser." }, "default": { "message": "Predefinito" }, "domainRules": { "message": "Regole dei domini" }, "domainRulesDesc": { "message": "Se utilizzi le stesse credenziali per accedere a servizi ospitati su domini diversi, puoi contrassegnare quei domini come \"equivalenti\". I domini \"globali\" sono già stati definiti da Bitwarden per te." }, "globalEqDomains": { "message": "Domini globali equivalenti" }, "customEqDomains": { "message": "Domini personalizzati equivalenti" }, "exclude": { "message": "Escludi" }, "include": { "message": "Includi" }, "customize": { "message": "Personalizza" }, "newCustomDomain": { "message": "Nuovo dominio personalizzato" }, "newCustomDomainDesc": { "message": "Inserisci un elenco di domini separati da virgola. Sono permessi solo domini \"base\". Non inserire sottodomini. Per esempio, inserisci \"google.com\" invece di \"www.google.com\". Puoi inserire anche \"androidapp://package.name\" per associare un'applicazione android con altri domini." }, "customDomainX": { "message": "Dominio personalizzato $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "domainsUpdated": { "message": "Domini aggiornati" }, "twoStepLogin": { "message": "Verifica in due passaggi" }, "twoStepLoginDesc": { "message": "Proteggi il tuo account richiedendo un passaggio aggiuntivo all'accesso." }, "twoStepLoginOrganizationDesc": { "message": "Richiedi la verifica in due passaggi per gli utenti della tua organizzazione configurando dei fornitori a livello di organizzazione." }, "twoStepLoginRecoveryWarning": { "message": "Con la verifica in due passaggi potresti bloccare permanentemente il tuo account di Bitwarden. Un codice di recupero ti permette di accedere al tuo account nel caso in cui non fossi più in grado di utilizzare il tuo solito metodo di verifica (ad esempio se perdi il tuo telefono). L'assistenza di Bitwarden non sarà in grado di aiutarti qualora dovessi perdere l'accesso al tuo account. Ti consigliamo di scrivere o stampare il tuo codice di recupero e di conservarlo in un luogo sicuro." }, "viewRecoveryCode": { "message": "Visualizza codice di recupero" }, "providers": { "message": "Fornitori", "description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc." }, "enable": { "message": "Abilita" }, "enabled": { "message": "Abilitato" }, "premium": { "message": "Premium", "description": "Premium Membership" }, "premiumMembership": { "message": "Abbonamento Premium" }, "premiumRequired": { "message": "Abbonamento Premium richiesto" }, "premiumRequiredDesc": { "message": "Un abbonamento premium è richiesto per utilizzare questa funzionalità." }, "youHavePremiumAccess": { "message": "Hai accesso premium" }, "alreadyPremiumFromOrg": { "message": "Hai già accesso alle funzioni premium a causa di un'organizzazione di cui sei membro." }, "manage": { "message": "Gestisci" }, "disable": { "message": "Disabilita" }, "twoStepLoginProviderEnabled": { "message": "Questo metodo di verifica in due passaggi è abilitato sul tuo account." }, "twoStepLoginAuthDesc": { "message": "Inserisci la password principale per modificare le impostazioni di verifica in due passaggi." }, "twoStepAuthenticatorDesc": { "message": "Segui questi passi per impostare la verifica in due passaggi con un'applicazione di autenticazione:" }, "twoStepAuthenticatorDownloadApp": { "message": "Scarica un'applicazione di autenticazione" }, "twoStepAuthenticatorNeedApp": { "message": "Hai bisogno di un'applicazione di autenticazione? Scarica una delle seguenti" }, "iosDevices": { "message": "Dispositivi iOS" }, "androidDevices": { "message": "Dispositivi Android" }, "windowsDevices": { "message": "Dispositivi Windows" }, "twoStepAuthenticatorAppsRecommended": { "message": "Queste applicazioni sono consigliate, tuttavia funzioneranno anche altre applicazioni di autenticazione." }, "twoStepAuthenticatorScanCode": { "message": "Scansione questo QR code con la tua applicazione di autenticazione" }, "key": { "message": "Chiave" }, "twoStepAuthenticatorEnterCode": { "message": "Inserisci il codice di verifica a 6 cifre dall'applicazione di autenticazione" }, "twoStepAuthenticatorReaddDesc": { "message": "Nel caso in cui fosse necessario aggiungerlo ad un altro dispositivo, di seguito è riportato il QR code (o la chiave) richiesta dalla tua applicazione di autenticazione." }, "twoStepDisableDesc": { "message": "Sei sicuro di voler disabilitare questo metodo di verifica in due passaggi?" }, "twoStepDisabled": { "message": "Metodo di verifica in due passaggi disabilitato." }, "twoFactorYubikeyAdd": { "message": "Aggiungi una nuova YubiKey al tuo account" }, "twoFactorYubikeyPlugIn": { "message": "Collega la YubiKey nella porta USB del computer." }, "twoFactorYubikeySelectKey": { "message": "Seleziona il primo campo vuoto Yubikey sotto." }, "twoFactorYubikeyTouchButton": { "message": "Premere il tasto sulla YubiKey." }, "twoFactorYubikeySaveForm": { "message": "Salva il modulo." }, "twoFactorYubikeyWarning": { "message": "A causa di limitazioni della piattaforma, YubiKey non può essere utilizzato su tutte le applicazioni Bitwarden. Dovresti abilitare un altro metodo di verifica in due passaggi in modo da poter accedere al tuo account anche dove YubiKeys non può essere usato. Piattaforme supportate:" }, "twoFactorYubikeySupportUsb": { "message": "La cassaforte web, l'applicazione desktop, la CLI e tutte le estensioni per browser su un dispositivo con una porta USB in grado di accettare la tua YubiKey." }, "twoFactorYubikeySupportMobile": { "message": "Le applicazioni su un dispositivo con NFC o una porta USB in grado di accettare la tua YubiKey." }, "yubikeyX": { "message": "YubiKey $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "u2fkeyX": { "message": "Chiave U2F $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "webAuthnkeyX": { "message": "Chiave WebAuthn $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "nfcSupport": { "message": "Supporto NFC" }, "twoFactorYubikeySupportsNfc": { "message": "Una delle mie chiavi supporta NFC." }, "twoFactorYubikeySupportsNfcDesc": { "message": "Se una delle tue YubiKey supporta NFC (come la Yubikey NEO), sarà richiesto dal dispositivo mobile nel caso la disponibilità NFC venga rilevata." }, "yubikeysUpdated": { "message": "Yubikey aggiornate" }, "disableAllKeys": { "message": "Disabilita tutte le chiavi" }, "twoFactorDuoDesc": { "message": "Inserisci le informazioni della applicazione Bitwarden dal tuo pannello amministratore Duo." }, "twoFactorDuoIntegrationKey": { "message": "Chiave di integrazione" }, "twoFactorDuoSecretKey": { "message": "Chiave segreta" }, "twoFactorDuoApiHostname": { "message": "Nome host API" }, "twoFactorEmailDesc": { "message": "Segui questi passi per impostare la verifica in due passaggi con l'email:" }, "twoFactorEmailEnterEmail": { "message": "Inserisci l'email dove preferisci ricevere i codici di verifica" }, "twoFactorEmailEnterCode": { "message": "Inserisci il codice di verifica di 6 cifre ricevuto tramite email" }, "sendEmail": { "message": "Invia email" }, "twoFactorU2fAdd": { "message": "Aggiungi una chiave di sicurezza di FIDO U2F al tuo account" }, "removeU2fConfirmation": { "message": "Sei sicuro di voler rimuovere questa chiave di sicurezza?" }, "twoFactorWebAuthnAdd": { "message": "Aggiungi una chiave di sicurezza WebAuthn al tuo account" }, "readKey": { "message": "Leggi la chiave" }, "keyCompromised": { "message": "La chiave è compromessa." }, "twoFactorU2fGiveName": { "message": "Assegna alla chiave di sicurezza un nome descrittivo per identificarla." }, "twoFactorU2fPlugInReadKey": { "message": "Inserisci la chiave di sicurezza nella porta USB del tuo computer e fai clic sul pulsante \"Leggi chiave\"." }, "twoFactorU2fTouchButton": { "message": "Se la chiave di protezione dispone di un pulsante, premilo." }, "twoFactorU2fSaveForm": { "message": "Salva il modulo." }, "twoFactorU2fWarning": { "message": "A causa di limitazioni della piattaforma, FIDO U2F non può essere utilizzato su tutte le applicazioni Bitwarden. Dovresti abilitare un altro metodo di verifica in due passaggi in modo da poter accedere al tuo account anche dove FIDO U2F non può essere usato. Piattaforme supportate:" }, "twoFactorU2fSupportWeb": { "message": "Cassaforte web ed estensione per il browser desktop/laptop con un U2F browser abilitato (Chrome, Opera, Vivaldi o Firefox con FIDO U2F abilitato)." }, "twoFactorU2fWaiting": { "message": "In attesa che venga premuto il pulsante della tua chiave di sicurezza" }, "twoFactorU2fClickSave": { "message": "Fai clic sul pulsante \"Salva\" qui sotto per abilitare questa chiave di sicurezza per la verifica in due passaggi." }, "twoFactorU2fProblemReadingTryAgain": { "message": "Si è verificato un problema durante la lettura della chiave di sicurezza. Riprova." }, "twoFactorWebAuthnWarning": { "message": "A causa di limitazioni della piattaforma, WebAuthn non può essere utilizzato su tutte le applicazioni Bitwarden. Dovresti abilitare un altro metodo di verifica in due passaggi in modo da poter accedere al tuo account anche dove WebAuthn non può essere usato. Piattaforme supportate:" }, "twoFactorWebAuthnSupportWeb": { "message": "Cassaforte Web ed estensione per il browser desktop/portatile con un browser abilitato per WebAuthn (Chrome, Opera, Vivaldi o Firefox con FIDO U2F abilitato)." }, "twoFactorRecoveryYourCode": { "message": "Il tuo codice di recupero Bitwarden per la verifica in due passaggi" }, "twoFactorRecoveryNoCode": { "message": "Non hai ancora abilitato alcun metodo per la verifica in due passaggi. Dopo aver abilitato un metodo per la verifica in due passaggi torna qui per trovare il tuoi codice di recupero." }, "printCode": { "message": "Stampa il codice", "description": "Print 2FA recovery code" }, "reports": { "message": "Resoconti" }, "reportsDesc": { "message": "Identifica e chiudi i problemi di sicurezza dei tuoi account online cliccando sui report in basso." }, "unsecuredWebsitesReport": { "message": "Resoconto sui siti web non protetti" }, "unsecuredWebsitesReportDesc": { "message": "L'utilizzo di siti web non protetti con lo schema http:// può essere pericoloso. Se il sito web lo consente, devi sempre accedervi utilizzando lo schema https:// in modo che la connessione sia cifrata." }, "unsecuredWebsitesFound": { "message": "Trovati siti web non protetti" }, "unsecuredWebsitesFoundDesc": { "message": "Abbiamo trovato $COUNT$ elementi nella tua cassaforte con URI non protetti. Dovresti cambiare il loro schema URL in https:// se il sito lo consente.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noUnsecuredWebsites": { "message": "Nessun elemento nella tua cassaforte ha URI non protetti." }, "inactive2faReport": { "message": "Resoconto 2FA inattivi" }, "inactive2faReportDesc": { "message": "L'autenticazione a due fattori (2FA) è un'impostazione di sicurezza importante che consente di proteggere i tuoi account. Se il sito web lo offre, dovresti sempre abilitare l'autenticazione a due fattori." }, "inactive2faFound": { "message": "Accessi senza 2FA trovati" }, "inactive2faFoundDesc": { "message": "Abbiamo trovato $COUNT$ siti web nella tua cassaforte che potrebbero non essere configurati con l'autenticazione a due fattori (secondo twofactorauth.org). Per proteggere ulteriormente questi account, è necessario abilitare l'autenticazione a due fattori.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noInactive2fa": { "message": "Nessun sito web è stato trovato nella cassaforte con una configurazione di autenticazione a due fattori mancante." }, "instructions": { "message": "Istruzioni" }, "exposedPasswordsReport": { "message": "Resoconto sulle password esposte" }, "exposedPasswordsReportDesc": { "message": "Le password esposte sono password che sono state scoperte in violazioni di dati note che sono state rilasciate pubblicamente o vendute sul dark web dagli hacker." }, "exposedPasswordsFound": { "message": "Trovate password esposte" }, "exposedPasswordsFoundDesc": { "message": "Abbiamo trovato $COUNT$ elementi nella tua cassaforte che hanno password che sono state esposte a violazioni di dati note. Dovresti modificarli per usare una nuova password.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noExposedPasswords": { "message": "Nessun elemento nella tua cassaforte ha password che sono state esposte a violazioni note dei dati." }, "checkExposedPasswords": { "message": "Controlla password esposte" }, "exposedXTimes": { "message": "Esposto $COUNT$ volte", "placeholders": { "count": { "content": "$1", "example": "52" } } }, "weakPasswordsReport": { "message": "Resoconto sulle password deboli" }, "weakPasswordsReportDesc": { "message": "Le password deboli possono essere facilmente intuite dagli hacker e dagli strumenti automatici utilizzati per decifrare le password. Il generatore di password di Bitwarden può aiutarti a creare password robuste." }, "weakPasswordsFound": { "message": "Trovate password deboli" }, "weakPasswordsFoundDesc": { "message": "Abbiamo trovato $COUNT$ elementi nella tua cassaforte con password non robuste. Dovresti aggiornarli per usare password più robuste.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noWeakPasswords": { "message": "Nessun elemento nella tua cassaforte ha password deboli." }, "reusedPasswordsReport": { "message": "Resoconto sulle password riutilizzate" }, "reusedPasswordsReportDesc": { "message": "Se un servizio che usi è compromesso, riutilizzare la stessa password altrove può consentire agli hacker di accedere facilmente a più account online. È necessario utilizzare una password univoca per ogni account o servizio." }, "reusedPasswordsFound": { "message": "Trovate password riutilizzate" }, "reusedPasswordsFoundDesc": { "message": "Abbiamo trovato $COUNT$ password che sono riutilizzate nella tua cassaforte. Dovresti cambiarle in un valore univoco.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noReusedPasswords": { "message": "Nessun login nella tua cassaforte ha password che vengono riutilizzate." }, "reusedXTimes": { "message": "Riutilizzata $COUNT$ volte", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "dataBreachReport": { "message": "Resoconto sulle violazioni dei dati" }, "breachDesc": { "message": "Una \"violazione\" è un incidente dove i dati di un sito sono stati illegalmente accessi dagli hacker e poi rilasciati pubblicamente. Esaminare i tipi di dati che sono stati compromessi (indirizzi email, password, carte di credito ecc.) e adottare azioni appropriate, ad esempio la modifica delle password." }, "breachCheckUsernameEmail": { "message": "Controlla ogni nome utente o indirizzi email che usi." }, "checkBreaches": { "message": "Verifica violazioni" }, "breachUsernameNotFound": { "message": "$USERNAME$ non è stato trovato in nessuna violazione di dati conosciuta.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" } } }, "goodNews": { "message": "Buone notizie", "description": "ex. Good News, No Breached Accounts Found!" }, "breachUsernameFound": { "message": "$USERNAME$ è stato trovato in $COUNT$ diversi casi di violazione di dati online.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" }, "count": { "content": "$2", "example": "7" } } }, "breachFound": { "message": "Account violati trovati" }, "compromisedData": { "message": "Dati compromessi" }, "website": { "message": "Sito web" }, "affectedUsers": { "message": "Utenti interessati" }, "breachOccurred": { "message": "Violazione verificata" }, "breachReported": { "message": "Violazione segnalata" }, "reportError": { "message": "Si è verificato un errore durante il tentativo di caricare il resoconto. Riprova" }, "billing": { "message": "Fatturazione" }, "accountCredit": { "message": "Credito account", "description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)." }, "accountBalance": { "message": "Saldo account", "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": "Aggiungi credito", "description": "Add more credit to your account's balance." }, "amount": { "message": "Importo", "description": "Dollar amount, or quantity." }, "creditDelayed": { "message": "Il credito aggiunto apparirà sul tuo account dopo che il pagamento è stato completamente elaborato. Alcuni metodi di pagamento sono in ritardo e possono richiedere più tempo per il processo rispetto ad altri." }, "makeSureEnoughCredit": { "message": "Assicurati che il tuo account abbia abbastanza credito disponibile per questo acquisto. Se il tuo account non ha abbastanza credito disponibile, il tuo metodo di pagamento predefinito sarà utilizzato per la differenza. Puoi aggiungere credito al tuo account dalla pagina di fatturazione." }, "creditAppliedDesc": { "message": "Il credito del tuo account può essere utilizzato per effettuare acquisti. Ogni credito disponibile sarà automaticamente applicato alle fatture generate per questo account." }, "goPremium": { "message": "Passa a Premium", "description": "Another way of saying \"Get a premium membership\"" }, "premiumUpdated": { "message": "Hai effettuato l'aggiornamento a Premium." }, "premiumUpgradeUnlockFeatures": { "message": "Aggiorna il tuo account per un abbonamento premium e sblocca alcune funzioni aggiuntive." }, "premiumSignUpStorage": { "message": "1 GB di spazio di archiviazione cifrato per gli allegati." }, "premiumSignUpTwoStep": { "message": "Opzioni di verifica in due passaggi aggiuntivi come YubiKey, FIDO U2F, e Duo." }, "premiumSignUpEmergency": { "message": "Accesso di emergenza" }, "premiumSignUpReports": { "message": "Sicurezza delle password, integrità dell'account e resoconti sulle violazioni dei dati per mantenere sicura la tua cassaforte." }, "premiumSignUpTotp": { "message": "Generatore di codice (2FA) di verifica di TOTP per i login della tua cassaforte." }, "premiumSignUpSupport": { "message": "Supporto clienti prioritario." }, "premiumSignUpFuture": { "message": "Tutte le funzioni premium. Nuove in arrivo!" }, "premiumPrice": { "message": "Il tutto per solo $PRICE$ all'anno!", "placeholders": { "price": { "content": "$1", "example": "$10" } } }, "addons": { "message": "Estensioni" }, "premiumAccess": { "message": "Accesso Premium" }, "premiumAccessDesc": { "message": "Puoi aggiungere l'accesso premium a tutti i membri della tua organizzazione per $PRICE$ /$INTERVAL$.", "placeholders": { "price": { "content": "$1", "example": "$3.33" }, "interval": { "content": "$2", "example": "'month' or 'year'" } } }, "additionalStorageGb": { "message": "Spazio di archiviazione aggiuntivo (GB)" }, "additionalStorageGbDesc": { "message": "# di GB aggiuntivi" }, "additionalStorageIntervalDesc": { "message": "Il tuo piano viene fornito con $SIZE$ di archiviazione cifrata. Puoi aggiungere ulteriore spazio di archiviazione per $PRICE$ per GB /$INTERVAL$.", "placeholders": { "size": { "content": "$1", "example": "1 GB" }, "price": { "content": "$2", "example": "$4.00" }, "interval": { "content": "$3", "example": "'month' or 'year'" } } }, "summary": { "message": "Riepilogo" }, "total": { "message": "Totale" }, "year": { "message": "anno" }, "month": { "message": "mese" }, "monthAbbr": { "message": "mese", "description": "Short abbreviation for 'month'" }, "paymentChargedAnnually": { "message": "Il tuo metodo di pagamento verrà addebitato immediatamente e su base ricorrente ogni anno. È possibile annullare in qualsiasi momento." }, "paymentCharged": { "message": "Il tuo metodo di pagamento sarà addebitato immediatamente e poi su base ricorrente ogni $INTERVAL$. Puoi annullare in qualsiasi momento.", "placeholders": { "interval": { "content": "$1", "example": "month or year" } } }, "paymentChargedWithTrial": { "message": "Il tuo piano include una prova gratuita di 7 giorni. La tua carta non verrà addebitata fino alla fine del periodo di prova e su base ricorrente ogni $INTERVAL$. È possibile annullare in qualsiasi momento." }, "paymentInformation": { "message": "Informazioni sul pagamento" }, "billingInformation": { "message": "Dati di fatturazione" }, "creditCard": { "message": "Carta di credito" }, "paypalClickSubmit": { "message": "Fai clic sul pulsante di PayPal per accedere al tuo account PayPal, quindi fai clic sul pulsante Invia per continuare." }, "cancelSubscription": { "message": "Annulla abbonamento" }, "subscriptionCanceled": { "message": "L'abbonamento è stato annullato." }, "pendingCancellation": { "message": "In attesa di annullamento" }, "subscriptionPendingCanceled": { "message": "L'abbonamento è stato contrassegnato per l'annullamento alla fine del periodo di fatturazione corrente." }, "reinstateSubscription": { "message": "Ripristina abbonamento" }, "reinstateConfirmation": { "message": "Sei sicuro di voler rimuovere la richiesta di annullamento in sospeso e ripristinare l'abbonamento?" }, "reinstated": { "message": "L'abbonamento è stato ripristinato." }, "cancelConfirmation": { "message": "Sei sicuro di voler annullare il tuo abbonamento? Alla fine di questo ciclo di fatturazione perderai l'accesso a tutte le funzionalità aggiuntive date dall'abbonamento." }, "canceledSubscription": { "message": "L'abbonamento è stato annullato." }, "neverExpires": { "message": "Nessuna scadenza" }, "status": { "message": "Stato" }, "nextCharge": { "message": "Prossimo addebito" }, "details": { "message": "Dettagli" }, "downloadLicense": { "message": "Scarica licenza" }, "updateLicense": { "message": "Aggiorna licenza" }, "updatedLicense": { "message": "Licenza aggiornata" }, "manageSubscription": { "message": "Gestisci abbonamento" }, "storage": { "message": "Spazio di archiviazione" }, "addStorage": { "message": "Aggiungi spazio di archiviazione" }, "removeStorage": { "message": "Rimuovi spazio di archiviazione" }, "subscriptionStorage": { "message": "Il tuo abbonamento ha un totale di $MAX_STORAGE$ GB di spazio di archiviazione cifrato. Stai usando $USED_STORAGE$ GB di spazio.", "placeholders": { "max_storage": { "content": "$1", "example": "4" }, "used_storage": { "content": "$2", "example": "65 MB" } } }, "paymentMethod": { "message": "Metodo di pagamento" }, "noPaymentMethod": { "message": "Nessun metodo di pagamento selezionato." }, "addPaymentMethod": { "message": "Aggiungi metodo di pagamento" }, "changePaymentMethod": { "message": "Cambia il metodo di pagamento" }, "invoices": { "message": "Fatture" }, "noInvoices": { "message": "Nessuna fattura." }, "paid": { "message": "Pagata", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "unpaid": { "message": "Non pagata", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "transactions": { "message": "Transazioni", "description": "Payment/credit transactions." }, "noTransactions": { "message": "Nessuna transazione." }, "chargeNoun": { "message": "Addebito", "description": "Noun. A charge from a payment method." }, "refundNoun": { "message": "Rimborso", "description": "Noun. A refunded payment that was charged." }, "chargesStatement": { "message": "Eventuali addebiti appariranno sul tuo estratto conto come $STATEMENT_NAME$.", "placeholders": { "statement_name": { "content": "$1", "example": "BITWARDEN" } } }, "gbStorageAdd": { "message": "GB di spazio di archiviazione da aggiungere" }, "gbStorageRemove": { "message": "GB di spazio di archiviazione da eliminare" }, "storageAddNote": { "message": "L'aggiunta di spazio di archiviazione comporterà la modifica del costo di fatturazione e addebiterà immediatamente l'importo tramite il tuo metodo di pagamento salvato. Il primo addebito verrà ripartito per il resto del ciclo di fatturazione corrente." }, "storageRemoveNote": { "message": "La rimozione dello spazio di archiviazione comporterà la modifica sul totale fatturato che sarà ripartito come credito per il prossimo addebito di fatturazione." }, "adjustedStorage": { "message": "$AMOUNT$ GB di spazio di archiviazione modificato.", "placeholders": { "amount": { "content": "$1", "example": "5" } } }, "contactSupport": { "message": "Contattare il supporto clienti" }, "updatedPaymentMethod": { "message": "Metodo di pagamento aggiornato." }, "purchasePremium": { "message": "Acquista Premium" }, "licenseFile": { "message": "File di licenza" }, "licenseFileDesc": { "message": "Il tuo file di licenza sarà chiamato ad esempio $FILE_NAME$", "placeholders": { "file_name": { "content": "$1", "example": "bitwarden_premium_license.json" } } }, "uploadLicenseFilePremium": { "message": "Per aggiornare il tuo account a un abbonamento premium dovrai caricare un file di licenza valido." }, "uploadLicenseFileOrg": { "message": "Per creare un'organizzazione sul tuo server è necessario caricare un file di licenza valido." }, "accountEmailMustBeVerified": { "message": "La tua email è stata verificata." }, "newOrganizationDesc": { "message": "Le organizzazioni ti consentono di condividere parti della tua cassaforte con altri e di gestire gli utenti correlati per un'entità specifica come una famiglia, un piccolo team o una grande azienda." }, "generalInformation": { "message": "Informazioni generali" }, "organizationName": { "message": "Nome organizzazione" }, "accountOwnedBusiness": { "message": "Questo account è di proprietà di un'azienda." }, "billingEmail": { "message": "Email di fatturazione" }, "businessName": { "message": "Ragione sociale" }, "chooseYourPlan": { "message": "Scegli un piano" }, "users": { "message": "Utenti" }, "userSeats": { "message": "Postazioni utente" }, "additionalUserSeats": { "message": "Postazioni utente aggiuntive" }, "userSeatsDesc": { "message": "# di postazioni utente" }, "userSeatsAdditionalDesc": { "message": "Il piano è dotato di $BASE_SEATS$ postazioni utente. È possibile aggiungere ulteriori utenti per $SEAT_PRICE$ per utente/mese.", "placeholders": { "base_seats": { "content": "$1", "example": "5" }, "seat_price": { "content": "$2", "example": "$2.00" } } }, "userSeatsHowManyDesc": { "message": "Quante postazioni utente occorrono? È inoltre possibile aggiungere ulteriori postazioni utente successivamente se necessario." }, "planNameFree": { "message": "Gratis", "description": "Free as in 'free beer'." }, "planDescFree": { "message": "Per test o utenti personali da condividere con $COUNT$ altri utenti.", "placeholders": { "count": { "content": "$1", "example": "1" } } }, "planNameFamilies": { "message": "Famiglie" }, "planDescFamilies": { "message": "Per uso personale, per condividere con la famiglia e gli amici." }, "planNameTeams": { "message": "Gruppi" }, "planDescTeams": { "message": "Per le imprese e altre organizzazioni di gruppi." }, "planNameEnterprise": { "message": "Aziendale" }, "planDescEnterprise": { "message": "Per le aziende e altre organizzazioni di grandi dimensioni." }, "freeForever": { "message": "Gratis per sempre" }, "includesXUsers": { "message": "include $COUNT$ utenti", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "additionalUsers": { "message": "Utenti aggiuntivi" }, "costPerUser": { "message": "$COST$ per ogni utente", "placeholders": { "cost": { "content": "$1", "example": "$3" } } }, "limitedUsers": { "message": "Limitato a $COUNT$ utenti (tu compreso)", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "limitedCollections": { "message": "Limitato a $COUNT$ raccolte", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "addShareLimitedUsers": { "message": "Aggiungi e condividi con un massimo di $COUNT$ utenti", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "addShareUnlimitedUsers": { "message": "Aggiungi e condividi con utenti illimitati" }, "createUnlimitedCollections": { "message": "Crea raccolte illimitate" }, "gbEncryptedFileStorage": { "message": "$SIZE$ di spazio di archiviazione cifrato", "placeholders": { "size": { "content": "$1", "example": "1 GB" } } }, "onPremHostingOptional": { "message": "Self hosting (opzionale)" }, "usersGetPremium": { "message": "Gli utenti ottengono l'accesso alle funzionalità premium" }, "controlAccessWithGroups": { "message": "Controllare l'accesso utente con gruppi" }, "syncUsersFromDirectory": { "message": "Sincronizzare gli utenti e gruppi da una directory" }, "trackAuditLogs": { "message": "Tieni traccia delle azioni di utente con i registri di controllo" }, "enforce2faDuo": { "message": "Applica 2FA con Duo" }, "priorityCustomerSupport": { "message": "Assistenza clienti prioritaria" }, "xDayFreeTrial": { "message": "$COUNT$ giorni di prova, annulla in qualsiasi momento", "placeholders": { "count": { "content": "$1", "example": "7" } } }, "monthly": { "message": "Mensile" }, "annually": { "message": "Annuale" }, "basePrice": { "message": "Prezzo base" }, "organizationCreated": { "message": "Organizzazione creata" }, "organizationReadyToGo": { "message": "La nuova organizzazione è pronta per essere usata!" }, "organizationUpgraded": { "message": "La tua organizzazione è stata aggiornata." }, "leave": { "message": "Abbandona" }, "leaveOrganizationConfirmation": { "message": "Sei sicuro di voler lasciare questa organizzazione?" }, "leftOrganization": { "message": "Hai lasciato l'organizzazione." }, "defaultCollection": { "message": "Raccolta predefinita" }, "getHelp": { "message": "Ottieni aiuto" }, "getApps": { "message": "Scarica le applicazioni" }, "loggedInAs": { "message": "Accesso eseguito come" }, "eventLogs": { "message": "Registro eventi" }, "people": { "message": "Persone" }, "policies": { "message": "Politiche" }, "singleSignOn": { "message": "Single Sign-On" }, "editPolicy": { "message": "Modifica politica" }, "groups": { "message": "Gruppi" }, "newGroup": { "message": "Nuovo gruppo" }, "addGroup": { "message": "Aggiungi gruppo" }, "editGroup": { "message": "Modifica gruppo" }, "deleteGroupConfirmation": { "message": "Sei sicuro di voler eliminare questo gruppo?" }, "removeUserConfirmation": { "message": "Confermi di voler rimuovere questo utente?" }, "removeUserConfirmationKeyConnector": { "message": "Attenzione! Questo utente richiede Key Connector per gestire la crittografia. Rimuovere questo utente dalla propria organizzazione disabiliterà definitivamente l'account. Questa azione non può essere annullata. Vuoi procedere?" }, "externalId": { "message": "Id esterno" }, "externalIdDesc": { "message": "L'id esterno può essere usato come un riferimento o per collegare questa risorsa ad un sistema esterno come ad esempio una directory utente." }, "accessControl": { "message": "Controllo di accesso" }, "groupAccessAllItems": { "message": "Questo gruppo può accedere e modificare tutti gli elementi." }, "groupAccessSelectedCollections": { "message": "Questo gruppo può accedere solo alle raccolte selezionate." }, "readOnly": { "message": "Sola lettura" }, "newCollection": { "message": "Nuova raccolta" }, "addCollection": { "message": "Aggiungi raccolta" }, "editCollection": { "message": "Modifica raccolta" }, "deleteCollectionConfirmation": { "message": "Sei sicuro di voler eliminare questa raccolta?" }, "editUser": { "message": "Modifica utente" }, "inviteUser": { "message": "Invita utente" }, "inviteUserDesc": { "message": "Invita un nuovo utente alla tua organizzazione inserendo il suo indirizzo email dell'account Bitwarden di seguito. Se non hanno già un account Bitwarden, verrà richiesto di creare un nuovo account." }, "inviteMultipleEmailDesc": { "message": "Puoi invitare fino a $COUNT$ utenti alla volta inserendo un elenco di indirizzi email separati da una virgola.", "placeholders": { "count": { "content": "$1", "example": "20" } } }, "userUsingTwoStep": { "message": "Questo utente utilizza l'accesso in due passaggi per proteggere il proprio account." }, "userAccessAllItems": { "message": "Questo utente può accedere e modificare tutti gli elementi." }, "userAccessSelectedCollections": { "message": "Questo utente può accedere solo alle raccolte selezionate." }, "search": { "message": "Cerca" }, "invited": { "message": "Invitato" }, "accepted": { "message": "Accettato" }, "confirmed": { "message": "Confermato" }, "clientOwnerEmail": { "message": "Email del proprietario (cliente)" }, "owner": { "message": "Proprietario" }, "ownerDesc": { "message": "L'utente con accesso più alto sarà in grado di gestire tutti gli aspetti della tua organizzazione." }, "clientOwnerDesc": { "message": "Questo utente non dovrebbe dipendere dal fornitore. Se il fornitore viene rimosso dall'organizzazione, questo utente manterrà la proprietà dell'organizzazione." }, "admin": { "message": "Amministratore" }, "adminDesc": { "message": "Gli amministratori possono accedere e gestire tutti gli elementi, le raccolte e gli utenti dell'organizzazione." }, "user": { "message": "Utente" }, "userDesc": { "message": "Un utente normale con accesso alle raccolte della tua organizzazione." }, "manager": { "message": "Responsabile" }, "managerDesc": { "message": "I responsabili possono accedere e gestire le raccolte assegnate nella propria organizzazione." }, "all": { "message": "Tutti" }, "refresh": { "message": "Aggiorna" }, "timestamp": { "message": "Data e ora" }, "event": { "message": "Evento" }, "unknown": { "message": "Sconosciuto" }, "loadMore": { "message": "Carica altro" }, "mobile": { "message": "Mobile", "description": "Mobile app" }, "extension": { "message": "Estensione", "description": "Browser extension/addon" }, "desktop": { "message": "Desktop", "description": "Desktop app" }, "webVault": { "message": "Cassaforte web" }, "loggedIn": { "message": "Accesso effettuato." }, "changedPassword": { "message": "Password dell'account modificata." }, "enabledUpdated2fa": { "message": "Verifica in due passaggi abilitata/aggiornata." }, "disabled2fa": { "message": "Verifica in due passaggi disabilitata." }, "recovered2fa": { "message": "Account ripristinato dalla verifica in due passaggi." }, "failedLogin": { "message": "Tentativo di accesso non riuscito. Password errata." }, "failedLogin2fa": { "message": "Tentativo di accesso non riuscito. Verifica in due passaggi non riuscita." }, "exportedVault": { "message": "Cassaforte esportata." }, "exportedOrganizationVault": { "message": "Cassaforte dell'organizzazione esportata." }, "editedOrgSettings": { "message": "Impostazioni dell'organizzazione modificate." }, "createdItemId": { "message": "Elemento $ID$ creato.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedItemId": { "message": "Elemento $ID$ modificato.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedItemId": { "message": "Elemento $ID$ cestinato.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "movedItemIdToOrg": { "message": "Spostato l'elemento $ID$ in un'organizzazione.", "placeholders": { "id": { "content": "$1", "example": "'Google'" } } }, "viewedItemId": { "message": "Elemento visualizzato $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedPasswordItemId": { "message": "Password visualizzata per l'elemento $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedHiddenFieldItemId": { "message": "Campo nascosto visualizzato per l'elemento $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedSecurityCodeItemId": { "message": "Codice di sicurezza visualizzato per l'elemento $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedPasswordItemId": { "message": "Password copiata per l'elemento $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedHiddenFieldItemId": { "message": "Campo nascosto copiato per l'elemento $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedSecurityCodeItemId": { "message": "Codice di sicurezza copiato per l'elemento $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "autofilledItemId": { "message": "Elemento auto-compilato $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "createdCollectionId": { "message": "Raccolta $ID$ creata.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedCollectionId": { "message": "Raccolta $ID$ modificata.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "deletedCollectionId": { "message": "Raccolta $ID$ eliminata.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedPolicyId": { "message": "Policy $ID$ modificata.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "createdGroupId": { "message": "Gruppo $ID$ creato.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "editedGroupId": { "message": "Gruppo $ID$ modificato.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "deletedGroupId": { "message": "Gruppo $ID$ eliminato.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "removedUserId": { "message": "Utente $ID$ rimosso.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdAttachmentForItem": { "message": "Allegato creato per elemento $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedAttachmentForItem": { "message": "Allegato eliminato per elemento $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedCollectionsForItem": { "message": "Raccolte per elemento $ID$ modificate.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "invitedUserId": { "message": "Utente $ID$ invitato.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "confirmedUserId": { "message": "Utente $ID$ confermato.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedUserId": { "message": "Utente $ID$ modificato.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedGroupsForUser": { "message": "Modificati gruppi per l'utente $ID$.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "unlinkedSsoUser": { "message": "SSO scollegato per l'utente $ID$.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdOrganizationId": { "message": "Organizzazione $ID$ creata.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "addedOrganizationId": { "message": "Organizzazione $ID$ aggiunta.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "removedOrganizationId": { "message": "Organizzazione $ID$ rimossa.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "accessedClientVault": { "message": "Accesso alla cassaforte dell'organizzazione $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "device": { "message": "Dispositivo" }, "view": { "message": "Visualizza" }, "invalidDateRange": { "message": "Intervallo di date non valido." }, "errorOccurred": { "message": "Si è verificato un errore." }, "userAccess": { "message": "Accesso utente" }, "userType": { "message": "Tipo di utente" }, "groupAccess": { "message": "Gruppo di accesso" }, "groupAccessUserDesc": { "message": "Modificare i gruppi a cui appartiene questo utente." }, "invitedUsers": { "message": "Utenti invitati." }, "resendInvitation": { "message": "Invia nuovamente l'invito" }, "resendEmail": { "message": "Invia nuovamente l'email" }, "hasBeenReinvited": { "message": "$USER$ è stato invitato.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirm": { "message": "Conferma" }, "confirmUser": { "message": "Conferma utente" }, "hasBeenConfirmed": { "message": "$USER$ è stato confermato.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirmUsers": { "message": "Conferma utenti" }, "usersNeedConfirmed": { "message": "Hai utenti che hanno accettato il loro invito, ma devono ancora essere confermati. Gli utenti non avranno accesso all'organizzazione fino a quando non sono confermati." }, "startDate": { "message": "Data di inizio" }, "endDate": { "message": "Data di fine" }, "verifyEmail": { "message": "Verifica email" }, "verifyEmailDesc": { "message": "Verificare l'indirizzo email del tuo account per sbloccare l'accesso a tutte le funzionalità." }, "verifyEmailFirst": { "message": "L'indirizzo email del tuo account deve essere prima verificato." }, "checkInboxForVerification": { "message": "Controlla la tua casella di posta per il collegamenti di verifica." }, "emailVerified": { "message": "Il tuo indirizzo email è stato verificato." }, "emailVerifiedFailed": { "message": "Impossibile verificare il tuo indirizzo email. Prova a inviare una nuova email di verifica." }, "emailVerificationRequired": { "message": "Verifica email necessaria" }, "emailVerificationRequiredDesc": { "message": "Devi verificare la tua email per utilizzare questa funzionalità." }, "updateBrowser": { "message": "Aggiorna il browser" }, "updateBrowserDesc": { "message": "Stai utilizzando un browser non supportato. La cassaforte web potrebbe non funzionare correttamente." }, "joinOrganization": { "message": "Unisciti all'organizzazione" }, "joinOrganizationDesc": { "message": "Sei stato invitato a far parte dell'organizzazione sopra elencata. Per accettare l'invito, è necessario accedere o creare un nuovo account di Bitwarden." }, "inviteAccepted": { "message": "Invito accettato" }, "inviteAcceptedDesc": { "message": "Puoi accedere a questa organizzazione una volta che un amministratore conferma la tua iscrizione. Ti invieremo una email quando accadrà." }, "inviteAcceptFailed": { "message": "Non è possibile accettare l'invito. Chiedi ad un amministratore dell'organizzazione di inviare un nuovo invito." }, "inviteAcceptFailedShort": { "message": "Impossibile accettare l'invito. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "rememberEmail": { "message": "Ricorda email" }, "recoverAccountTwoStepDesc": { "message": "Se non puoi accedere al tuo account attraverso i normali metodi di verifica in due passaggi, puoi usare il codice di recupero per la verifica in due passaggi per disabilitare tutti i metodi di verifica in due passaggi presenti sul tuo account." }, "recoverAccountTwoStep": { "message": "Ripristina la verifica in due passaggi dell'account" }, "twoStepRecoverDisabled": { "message": "La verifica in due passaggi è stata disabilitata sul tuo account." }, "learnMore": { "message": "Ulteriori informazioni" }, "deleteRecoverDesc": { "message": "Inserisci la tua email sotto per recuperare ed eliminare il tuo account." }, "deleteRecoverEmailSent": { "message": "Se il tuo account è già esistente, ti invieremo una email con maggiori informazioni." }, "deleteRecoverConfirmDesc": { "message": "Hai richiesto di eliminare il tuo account Bitwarden. Fai clic sul pulsante per confermare." }, "myOrganization": { "message": "La mia organizzazione" }, "deleteOrganization": { "message": "Elimina organizzazione" }, "deletingOrganizationContentWarning": { "message": "Digita la password principale per confermare l'eliminazione di $ORGANIZATION$ e di tutti i dati associati. I dati della cassaforte in $ORGANIZATION$ includono:", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "deletingOrganizationActiveUserAccountsWarning": { "message": "Gli account utente rimarranno attivi dopo l'eliminazione, ma non saranno più associati a questa organizzazione." }, "deletingOrganizationIsPermanentWarning": { "message": "L'eliminazione di $ORGANIZATION$ è definitiva e irreversibile.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "organizationDeleted": { "message": "Organizzazione eliminata" }, "organizationDeletedDesc": { "message": "L'organizzazione e tutti i dati associati sono stati eliminati." }, "organizationUpdated": { "message": "Organizzazione aggiornata" }, "taxInformation": { "message": "Informazioni fiscali" }, "taxInformationDesc": { "message": "Per i clienti negli Stati Uniti, il codice ZIP è necessario per soddisfare i requisiti relativi all'imposta sulle vendite, per altri paesi è possibile fornire facoltativamente un numero di identificazione fiscale (IVA/GST) e/o un indirizzo da visualizzare sulle fatture." }, "billingPlan": { "message": "Piano", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlan": { "message": "Cambia piano", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlanUpgrade": { "message": "Aggiorna il tuo account a un altro piano fornendo le informazioni qui sotto. Assicurati di avere un metodo di pagamento attivo aggiunto all'account.", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "invoiceNumber": { "message": "Fattura #$NUMBER$", "description": "ex. Invoice #79C66F0-0001", "placeholders": { "number": { "content": "$1", "example": "79C66F0-0001" } } }, "viewInvoice": { "message": "Visualizza fattura" }, "downloadInvoice": { "message": "Scarica fattura" }, "verifyBankAccount": { "message": "Verifica conto bancario" }, "verifyBankAccountDesc": { "message": "Abbiamo fatto due micro-depositi sul tuo conto bancario (potrebbe richiedere 1-2 giorni lavorativi per presentarsi). Immetti questi importi per verificare il conto bancario." }, "verifyBankAccountInitialDesc": { "message": "Il pagamento con un conto in banca è disponibile solo per i clienti negli Stati Uniti. Sarà necessario verificare il tuo conto in banca. Faremo due micro-depositi entro i prossimi 1-2 giorni lavorativi. Immettere questi importi nella pagina di fatturazione dell'organizzazione per verificare il conto bancario." }, "verifyBankAccountFailureWarning": { "message": "La mancata verifica del conto bancario si tradurrà in un mancato pagamento e l'abbonamento sarà disattivato." }, "verifiedBankAccount": { "message": "Il conto bancario è stato verificato." }, "bankAccount": { "message": "Conto bancario" }, "amountX": { "message": "Importo $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": "Coordinate bancarie", "description": "Bank account routing number" }, "accountNumber": { "message": "Numero del conto" }, "accountHolderName": { "message": "Titolare del conto" }, "bankAccountType": { "message": "Tipo di conto" }, "bankAccountTypeCompany": { "message": "Azienda (Lavoro)" }, "bankAccountTypeIndividual": { "message": "Individuale (Personale)" }, "enterInstallationId": { "message": "Inserisci il tuo id di installazione" }, "limitSubscriptionDesc": { "message": "Imposta un limite di slot utenti per il tuo abbonamento. Una volta raggiunto questo limite, non potrai invitare nuovi utenti." }, "maxSeatLimit": { "message": "Numero massimo di slot (opzionale)", "description": "Upper limit of seats to allow through autoscaling" }, "maxSeatCost": { "message": "Costo massimo dello slot" }, "addSeats": { "message": "Aggiungi postazioni", "description": "Seat = User Seat" }, "removeSeats": { "message": "Rimuovi postazioni", "description": "Seat = User Seat" }, "subscriptionDesc": { "message": "Le modifiche apportate al tuo abbonamento comporteranno corrispondenti cambi al totale in fattura. Se i nuovi utenti invitati superano gli slot del tuo abbonamento, riceverai immediatamente un addebito per gli utenti aggiuntivi." }, "subscriptionUserSeats": { "message": "L'abbonamento consente un totale di $COUNT$ utenti.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "limitSubscription": { "message": "Limite di abbonamento (facoltativo)" }, "subscriptionSeats": { "message": "Slot abbonamento" }, "subscriptionUpdated": { "message": "Abbonamento aggiornato" }, "additionalOptions": { "message": "Opzioni aggiuntive" }, "additionalOptionsDesc": { "message": "Per ulteriori informazioni sulla gestione del tuo abbonamento, contatta il servizio clienti." }, "subscriptionUserSeatsUnlimitedAutoscale": { "message": "Le modifiche apportate al tuo abbonamento comporteranno corrispondenti cambi al totale in fattura. Se i nuovi utenti invitati superano gli slot del tuo abbonamento, riceverai immediatamente un addebito per gli utenti aggiuntivi." }, "subscriptionUserSeatsLimitedAutoscale": { "message": "Le modifiche apportate al tuo abbonamento comporteranno corrispondenti cambi al totale in fattura. Se i nuovi utenti invitati superano gli slot utente del tuo abbonamento, riceverai immediatamente un addebito per gli utenti aggiuntivi fino al raggiungimento del limite di $MAX$ slot.", "placeholders": { "max": { "content": "$1", "example": "50" } } }, "subscriptionFreePlan": { "message": "Non puoi invitare più di $COUNT$ utenti senza aggiornare il tuo piano.", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "subscriptionFamiliesPlan": { "message": "Non puoi invitare più di $COUNT$ utenti senza aggiornare il tuo piano. Contatta il supporto clienti per aggiornare.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionSponsoredFamiliesPlan": { "message": "Il tuo abbonamento consente un totale di $COUNT$ utenti. Il tuo piano è sponsorizzato e addebitato a un'organizzazione esterna.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionMaxReached": { "message": "Le modifiche apportate al tuo abbonamento comporteranno corrispondenti cambi al totale in fattura. Non è possibile invitare più di $COUNT$ utenti senza aumentare gli slot dell'abbonamento.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "seatsToAdd": { "message": "Postazioni da aggiungere" }, "seatsToRemove": { "message": "Postazioni da rimuovere" }, "seatsAddNote": { "message": "L'aggiunta di postazioni utente comporterà la modifica del costo di fatturazione e addebiterà immediatamente l'importo tramite il tuo metodo di pagamento salvato. Il primo addebito verrà ripartito per il resto del ciclo di fatturazione corrente." }, "seatsRemoveNote": { "message": "La rimozione di postazioni utente comporterà la modifica sul totale fatturato che sarà ripartito come credito per il prossimo addebito di fatturazione." }, "adjustedSeats": { "message": "Postazioni utente $AMOUNT$ rettificate.", "placeholders": { "amount": { "content": "$1", "example": "15" } } }, "keyUpdated": { "message": "Chiave aggiornata" }, "updateKeyTitle": { "message": "Aggiorna chiave" }, "updateEncryptionKey": { "message": "Aggiorna chiave di cifratura" }, "updateEncryptionKeyShortDesc": { "message": "Stai utilizzando uno schema di cifratura obsoleto." }, "updateEncryptionKeyDesc": { "message": "Siamo passati a chiavi di cifratura più grandi che forniscono maggiore sicurezza e accesso alle funzionalità più recenti. Aggiornare la chiave di cifratura è semplice e veloce. Basta digitare la password principale qui sotto. Questo aggiornamento diventerà obbligatorio in futuro." }, "updateEncryptionKeyWarning": { "message": "Dopo aver aggiornato la chiave di cifratura, ti sarà richiesto di disconnetterti e connetterti in tutte le applicazioni Bitwarden che stai utilizzando (come l'applicazione mobile o l'estensione del browser). La mancata disconnessione e successiva riconnessione (per scaricare la nuova chiave di cifratura) potrebbe condurre al danneggiamento dei dati. Cercheremo di disconnetterti automaticamente, ma potrebbe esserci un ritardo." }, "updateEncryptionKeyExportWarning": { "message": "Anche le esportazioni cifrate che hai salvato non saranno più valide." }, "subscription": { "message": "Abbonamento" }, "loading": { "message": "Caricamento" }, "upgrade": { "message": "Aggiorna" }, "upgradeOrganization": { "message": "Aggiorna organizzazione" }, "upgradeOrganizationDesc": { "message": "Questa funzionalità non è disponibile per le organizzazioni con il piano base. Passa ad un piano a pagamento per sbloccare più funzioni." }, "createOrganizationStep1": { "message": "Crea organizzazione: Passo 1" }, "createOrganizationCreatePersonalAccount": { "message": "Prima di creare la propria organizzazione, devi innanzitutto creare un account personale gratuito." }, "refunded": { "message": "Rimborsato" }, "nothingSelected": { "message": "Non hai selezionato nulla." }, "acceptPolicies": { "message": "Selezionando la casella accetti quanto segue:" }, "acceptPoliciesError": { "message": "I termini di servizio e l'informativa sulla privacy non sono stati accettati." }, "termsOfService": { "message": "Termini del servizio" }, "privacyPolicy": { "message": "Informativa sulla privacy" }, "filters": { "message": "Filtri" }, "vaultTimeout": { "message": "Timeout cassaforte" }, "vaultTimeoutDesc": { "message": "Scegli quando la tua cassaforte andrà in timeout ed esegui l'azione selezionata." }, "oneMinute": { "message": "1 minuto" }, "fiveMinutes": { "message": "5 minuti" }, "fifteenMinutes": { "message": "15 minuti" }, "thirtyMinutes": { "message": "30 minuti" }, "oneHour": { "message": "1 ora" }, "fourHours": { "message": "4 ore" }, "onRefresh": { "message": "All'aggiornamento del browser" }, "dateUpdated": { "message": "Aggiornato", "description": "ex. Date this item was updated" }, "datePasswordUpdated": { "message": "Password aggiornata", "description": "ex. Date this password was updated" }, "organizationIsDisabled": { "message": "L'organizzazione è disabilitata." }, "licenseIsExpired": { "message": "La licenza è scaduta." }, "updatedUsers": { "message": "Utenti aggiornati" }, "selected": { "message": "Selezionato" }, "ownership": { "message": "Proprietà" }, "whoOwnsThisItem": { "message": "A chi appartiene questo elemento?" }, "strong": { "message": "Forte", "description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong" }, "good": { "message": "Buona", "description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weak": { "message": "Debole", "description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "veryWeak": { "message": "Molto debole", "description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weakMasterPassword": { "message": "Password principale debole" }, "weakMasterPasswordDesc": { "message": "La password principale che hai scelto è debole. È necessario utilizzare una password principale robusta (o una frase segreta) per proteggere adeguatamente il tuo account Bitwarden. Sei sicuro di voler utilizzare questa password principale?" }, "rotateAccountEncKey": { "message": "Ruota anche la chiave di cifratura del mio account" }, "rotateEncKeyTitle": { "message": "Ruota la chiave di cifratura" }, "rotateEncKeyConfirmation": { "message": "Sei sicuro di voler ruotare la chiave di cifratura del tuo account?" }, "attachmentsNeedFix": { "message": "Questo elemento ha vecchi file allegati che devono essere corretti." }, "attachmentFixDesc": { "message": "Questo è un vecchio file allegato che deve essere corretto. Fai clic per saperne di più." }, "fix": { "message": "Correggi", "description": "This is a verb. ex. 'Fix The Car'" }, "oldAttachmentsNeedFixDesc": { "message": "Ci sono vecchi file allegati nella tua cassaforte che devono essere corretti prima di poter ruotare la chiave di cifratura del tuo account." }, "yourAccountsFingerprint": { "message": "Frase impronta del tuo account", "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": "Per garantire l'integrità delle tue chiavi di cifratura, verifica la frase impronta dell'utente prima di continuare.", "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": "Non chiedere di verificare di nuovo la frase impronta", "description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing." }, "free": { "message": "Gratis", "description": "Free, as in 'Free beer'" }, "apiKey": { "message": "Chiave API" }, "apiKeyDesc": { "message": "La tua chiave API può essere usata per autenticarsi all'API pubblica Bitwarden." }, "apiKeyRotateDesc": { "message": "Ruotare la chiave API invaliderà la chiave precedente. Puoi ruotare la tua chiave API se credi che la chiave attuale non sia più sicura da usare." }, "apiKeyWarning": { "message": "La tua chiave API ha pieno accesso all'organizzazione. Dovrebbe essere tenuta segreta." }, "userApiKeyDesc": { "message": "Puoi utilizzare la tua chiave API per autenticarti nella CLI di Bitwarden." }, "userApiKeyWarning": { "message": "La tua chiave API è la tua autenticazione alternativa e dovrebbe rimanere segreta." }, "oauth2ClientCredentials": { "message": "Credenziali client OAuth 2.0", "description": "'OAuth 2.0' is a programming protocol. It should probably not be translated." }, "viewApiKey": { "message": "Visualizza chiave API" }, "rotateApiKey": { "message": "Ruota chiave API" }, "selectOneCollection": { "message": "Devi selezionare almeno una raccolta." }, "couldNotChargeCardPayInvoice": { "message": "Non siamo stati in grado di addebitare sulla tua carta. Visualizza e paga la fattura non pagata presente qui sotto." }, "inAppPurchase": { "message": "Acquisto in-app" }, "cannotPerformInAppPurchase": { "message": "Non puoi eseguire questa azione mentre utilizzi un metodo di pagamento in-app." }, "manageSubscriptionFromStore": { "message": "Devi gestire il tuo abbonamento dal negozio dove è stato effettuato l'acquisto in-app." }, "minLength": { "message": "Lunghezza minima" }, "clone": { "message": "Clona" }, "masterPassPolicyDesc": { "message": "Imposta i requisiti minimi di complessità della password principale." }, "twoStepLoginPolicyDesc": { "message": "Obbliga gli utenti a impostare l'autenticazione a due fattori sul loro account personale." }, "twoStepLoginPolicyWarning": { "message": "I membri dell'organizzazione che non hanno attivato l'autenticazione a due fattori per il proprio account personale saranno espulsi dall'organizzazione e riceveranno a tale proposito un'email di notifica." }, "twoStepLoginPolicyUserWarning": { "message": "Sei membro di una organizzazione che richiede che sugli account personali sia attiva l'autenticazione a due fattori. Se disabiliti tutti i secondi fattori di autenticazione, sarai automaticamente rimosso dall'organizzazione." }, "passwordGeneratorPolicyDesc": { "message": "Imposta i requisiti minimi per la configurazione del generatore di password." }, "passwordGeneratorPolicyInEffect": { "message": "Una o più politiche dell'organizzazione controllano le impostazioni del tuo generatore." }, "masterPasswordPolicyInEffect": { "message": "Una o più regole dell'organizzazione richiedono che la password principale verifichi i seguenti requisiti:" }, "policyInEffectMinComplexity": { "message": "Punteggio minimo di complessità di $SCORE$", "placeholders": { "score": { "content": "$1", "example": "4" } } }, "policyInEffectMinLength": { "message": "Lunghezza minima di $LENGTH$", "placeholders": { "length": { "content": "$1", "example": "14" } } }, "policyInEffectUppercase": { "message": "Contiene almeno un carattere maiuscolo" }, "policyInEffectLowercase": { "message": "Contiene almeno un carattere minuscolo" }, "policyInEffectNumbers": { "message": "Contiene almeno una cifra" }, "policyInEffectSpecial": { "message": "Contiene almeno uno dei seguenti caratteri speciali $CHARS$", "placeholders": { "chars": { "content": "$1", "example": "!@#$%^&*" } } }, "masterPasswordPolicyRequirementsNotMet": { "message": "La tua nuova password principale non soddisfa i requisiti di sicurezza." }, "minimumNumberOfWords": { "message": "Numero minimo di parole" }, "defaultType": { "message": "Tipo predefinito" }, "userPreference": { "message": "Preferenze utente" }, "vaultTimeoutAction": { "message": "Azione timeout cassaforte" }, "vaultTimeoutActionLockDesc": { "message": "Una cassaforte bloccata richiede l'inserimento della password principale per accedere nuovamente." }, "vaultTimeoutActionLogOutDesc": { "message": "La disconnessione dalla cassaforte richiede l'inserimento della password principale per accedere nuovamente." }, "lock": { "message": "Blocca", "description": "Verb form: to make secure or inaccesible by" }, "trash": { "message": "Cestino", "description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted" }, "searchTrash": { "message": "Cerca nel cestino" }, "permanentlyDelete": { "message": "Elimina definitivamente" }, "permanentlyDeleteSelected": { "message": "Elimina definitivamente l'elemento selezionato" }, "permanentlyDeleteItem": { "message": "Elimina definitivamente l'elemento" }, "permanentlyDeleteItemConfirmation": { "message": "Sei sicuro di voler eliminare definitivamente questo elemento?" }, "permanentlyDeletedItem": { "message": "Elemento eliminato definitivamente" }, "permanentlyDeletedItems": { "message": "Elementi eliminati definitivamente" }, "permanentlyDeleteSelectedItemsDesc": { "message": "Hai selezionato $COUNT$ elemento/i da eliminare definitivamente. Sei sicuro di voler eliminare definitivamente tutti gli elementi selezionati?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "permanentlyDeletedItemId": { "message": "Elemento $ID$ definitivamente eliminato.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "restore": { "message": "Ripristina" }, "restoreSelected": { "message": "Ripristina selezionati" }, "restoreItem": { "message": "Ripristina elemento" }, "restoredItem": { "message": "Elemento ripristinato" }, "restoredItems": { "message": "Elementi ripristinati" }, "restoreItemConfirmation": { "message": "Sei sicuro di voler ripristinare questo elemento?" }, "restoreItems": { "message": "Ripristina elementi" }, "restoreSelectedItemsDesc": { "message": "Hai selezionato $COUNT$ elemento/i da ripristinare. Sei sicuro di voler ripristinare tutti gli elementi selezionati?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "restoredItemId": { "message": "Elemento $ID$ ripristinato.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "vaultTimeoutLogOutConfirmation": { "message": "La disconnessione rimuove tutti gli accessi alla tua cassaforte e richiede l'autenticazione online dopo il periodo di timeout. Sei sicuro di voler utilizzare questa impostazione?" }, "vaultTimeoutLogOutConfirmationTitle": { "message": "Conferma azione di timeout" }, "hidePasswords": { "message": "Nascondi password" }, "countryPostalCodeRequiredDesc": { "message": "Informazioni richieste esclusivamente per il calcolo dell'IVA e rendicontazione finanziaria." }, "includeVAT": { "message": "Aggiungi partita IVA/GST (facoltativo)" }, "taxIdNumber": { "message": "Partita IVA/GST" }, "taxInfoUpdated": { "message": "Dati fiscali aggiornati." }, "setMasterPassword": { "message": "Imposta password principale" }, "ssoCompleteRegistration": { "message": "Per completare l'accesso con SSO, imposta una password principale per accedere e proteggere la cassaforte." }, "identifier": { "message": "Identificativo" }, "organizationIdentifier": { "message": "Identificativo dell'organizzazione" }, "ssoLogInWithOrgIdentifier": { "message": "Accedi usando il portale di accesso Single Sign-On della tua organizzazione. Inserisci l'identificativo della tua organizzazione per iniziare." }, "enterpriseSingleSignOn": { "message": "Single Sign-On aziendale" }, "ssoHandOff": { "message": "Puoi chiudere questa scheda e continuare nell'estensione." }, "includeAllTeamsFeatures": { "message": "Tutte le funzionalità Teams e in più:" }, "includeSsoAuthentication": { "message": "Autenticazione SSO tramite SAML2.0 e OpenID Connect" }, "includeEnterprisePolicies": { "message": "Policy aziendali" }, "ssoValidationFailed": { "message": "Convalida SSO non riuscita" }, "ssoIdentifierRequired": { "message": "L'identificativo dell'organizzazione è obbligatorio." }, "unlinkSso": { "message": "Scollega SSO" }, "unlinkSsoConfirmation": { "message": "Sei sicuro di voler scollegare SSO per questa organizzazione?" }, "linkSso": { "message": "Collega SSO" }, "singleOrg": { "message": "Organizzazione unica" }, "singleOrgDesc": { "message": "Impedisci agli utenti di unirsi dalle altre organizzazioni." }, "singleOrgBlockCreateMessage": { "message": "La tua attuale organizzazione ha una policy che non ti consente di unirti ad altre organizzazioni. Contatta gli amministratori della tua organizzazione o registrati da un altro account Bitwarden." }, "singleOrgPolicyWarning": { "message": "I membri dell'organizzazione che non sono proprietari o amministratori e sono già membri di un'altra organizzazione saranno rimossi dalla tua organizzazione." }, "requireSso": { "message": "Autenticazione Single Sign-On" }, "requireSsoPolicyDesc": { "message": "Richiedi agli utenti di accedere con il metodo di Single Sign-On aziendale." }, "prerequisite": { "message": "Prerequisito" }, "requireSsoPolicyReq": { "message": "La policy aziendale per l'organizzazione unica deve essere abilitata prima di attivare questa policy." }, "requireSsoPolicyReqError": { "message": "La policy dell'organizzazione unica non è abilitata." }, "requireSsoExemption": { "message": "I proprietari e gli amministratori dell'organizzazione sono esenti dall'applicazione di questa policy." }, "sendTypeFile": { "message": "File" }, "sendTypeText": { "message": "Testo" }, "createSend": { "message": "Crea nuovo Send", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editSend": { "message": "Modifica Send", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "createdSend": { "message": "Send creato", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editedSend": { "message": "Send modificato", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletedSend": { "message": "Send eliminato", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSend": { "message": "Elimina Send", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSendConfirmation": { "message": "Sei sicuro di voler eliminare questo Send?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "whatTypeOfSend": { "message": "Di quale tipo di Send si tratta?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletionDate": { "message": "Data di eliminazione" }, "deletionDateDesc": { "message": "Il Send sarà definitivamente eliminato alla data e all'ora specificate.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDate": { "message": "Data di scadenza" }, "expirationDateDesc": { "message": "Se impostato, l'accesso a questo Send scadrà alla data e all'ora specificate.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "maxAccessCount": { "message": "Numero massimo di accessi" }, "maxAccessCountDesc": { "message": "Se impostato, gli utenti non saranno più in grado di accedere a questo Send una volta raggiunto il numero massimo di accessi.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "currentAccessCount": { "message": "Numero di accessi attuale" }, "sendPasswordDesc": { "message": "Facoltativamente, richiedi una password agli utenti per accedere al Send.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNotesDesc": { "message": "Note private su questo Send.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disabled": { "message": "Disabilitato" }, "sendLink": { "message": "Collegamento del Send", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "copySendLink": { "message": "Copia collegamento Send", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "removePassword": { "message": "Rimuovi password" }, "removedPassword": { "message": "Password rimossa" }, "removePasswordConfirmation": { "message": "Sei sicuro di voler rimuovere la password?" }, "hideEmail": { "message": "Nascondi il mio indirizzo email dai destinatari." }, "disableThisSend": { "message": "Disabilita il Send per renderlo inaccessibile.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "allSends": { "message": "Tutti i Send" }, "maxAccessCountReached": { "message": "Numero massimo di accessi raggiunto", "description": "This text will be displayed after a Send has been accessed the maximum amount of times." }, "pendingDeletion": { "message": "In attesa di eliminazione" }, "expired": { "message": "Scaduto" }, "searchSends": { "message": "Cerca Send", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPassword": { "message": "Il Send è protetto da password. Digita la password sotto per continuare.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPasswordDontKnow": { "message": "Non conosci la password? Chiedi al Sender la password necessaria per l'accesso a questo Send.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendHiddenByDefault": { "message": "Questo Send è nascosto per impostazione predefinita. È possibile modificarne la visibilità utilizzando il pulsante in basso.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "downloadFile": { "message": "Scarica file" }, "sendAccessUnavailable": { "message": "Il Send a cui stai provando ad accedere non esiste o non è più disponibile.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "missingSendFile": { "message": "Il file associato a questo Send non è stato trovato.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "noSendsInList": { "message": "Non ci sono Send da elencare.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "emergencyAccess": { "message": "Accesso di emergenza" }, "emergencyAccessDesc": { "message": "Concedi e gestisci l'accesso di emergenza per un contatto fidato. I contatti fidati possono richiede di ereditare l'account o accedere in sola lettura in caso di emergenza. Visita la nostra pagina di aiuto per maggiori informazioni e dettagli." }, "emergencyAccessOwnerWarning": { "message": "Sei proprietario di una o più organizzazioni. Se trasferisci la proprietà ad un contatto di emergenza, sarà in grado di utilizzare tutti i permessi del proprietario." }, "trustedEmergencyContacts": { "message": "Contatti di emergenza fidati" }, "noTrustedContacts": { "message": "Non hai ancora aggiunto nessun contatto di emergenza, invita un contatto fidato per iniziare." }, "addEmergencyContact": { "message": "Aggiungi contatto di emergenza" }, "designatedEmergencyContacts": { "message": "Designato come contatto di emergenza" }, "noGrantedAccess": { "message": "Non sei ancora stato designato come contatto di emergenza." }, "inviteEmergencyContact": { "message": "Invita contatto di emergenza" }, "editEmergencyContact": { "message": "Modifica contatto di emergenza" }, "inviteEmergencyContactDesc": { "message": "Invita un nuovo contatto di emergenza digitando il suo account email di Bitwarden. Se non ha ancora un account Bitwarden, gli verrà chiesto di crearne uno nuovo." }, "emergencyAccessRecoveryInitiated": { "message": "Accesso di emergenza avviato" }, "emergencyAccessRecoveryApproved": { "message": "Accesso di emergenza approvato" }, "viewDesc": { "message": "Può visualizzare tutti gli elementi nella cassaforte." }, "takeover": { "message": "Entra in possesso" }, "takeoverDesc": { "message": "Puoi ripristinare il tuo account con una nuova password principale." }, "waitTime": { "message": "Tempo di attesa" }, "waitTimeDesc": { "message": "Tempo richiesto prima di concedere l'accesso automatico." }, "oneDay": { "message": "1 giorno" }, "days": { "message": "$DAYS$ giorni", "placeholders": { "days": { "content": "$1", "example": "1" } } }, "invitedUser": { "message": "Utente invitato." }, "acceptEmergencyAccess": { "message": "Sei stato designato come contatto di emergenza per l'utente indicato sopra. Per accettare l'invito, accedi alla tua cassaforte o crea un nuovo utente Bitwarden." }, "emergencyInviteAcceptFailed": { "message": "Impossibile accettare l'invito. Chiedi all'utente di inviare un nuovo invito." }, "emergencyInviteAcceptFailedShort": { "message": "Impossibile accettare l'invito. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "emergencyInviteAcceptedDesc": { "message": "Puoi accedere alle opzioni di emergenza per questo utente dopo aver confermato la tua identità. A breve riceverai un'email di conferma." }, "requestAccess": { "message": "Richiedi l'accesso" }, "requestAccessConfirmation": { "message": "Sei sicuro di voler richiedere l'accesso di emergenza? Ti sarà possibile accedere dopo $WAITTIME$ giorni o subito, qualora l'utente approvi la richiesta.", "placeholders": { "waittime": { "content": "$1", "example": "1" } } }, "requestSent": { "message": "Accesso di emergenza richiesto per $USER$. Riceverai una notifica tramite email quando sarà possibile proseguire.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "approve": { "message": "Approva" }, "reject": { "message": "Rifiuta" }, "approveAccessConfirmation": { "message": "Sei sicuro di voler approvare l'accesso di emergenza? Questo consentirà a $USER$ di $ACTION$ il tuo account.", "placeholders": { "user": { "content": "$1", "example": "John Smith" }, "action": { "content": "$2", "example": "View" } } }, "emergencyApproved": { "message": "Accesso di emergenza approvato." }, "emergencyRejected": { "message": "Accesso di emergenza rifiutato" }, "passwordResetFor": { "message": "Password ripristinata per $USER$. Ora puoi effettuare l'accesso utilizzando la nuova password.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "personalOwnership": { "message": "Proprietà personale" }, "personalOwnershipPolicyDesc": { "message": "Richiede agli utenti di salvare gli elementi della cassaforte in un'organizzazione rimuovendo l'opzione di proprietà personale." }, "personalOwnershipExemption": { "message": "I proprietari e gli amministratori dell'organizzazione sono esenti dall'applicazione di questa policy." }, "personalOwnershipSubmitError": { "message": "A causa di una policy aziendale, non è possibile salvare elementi nella tua cassaforte personale. Cambia l'opzione proprietà in un'organizzazione e scegli tra le raccolte disponibili." }, "disableSend": { "message": "Disabilita Send" }, "disableSendPolicyDesc": { "message": "Non consentire agli utenti di creare o modificare un Send Bitwarden. L'eliminazione di un Send già creato è ancora permessa.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disableSendExemption": { "message": "Gli utenti dell'organizzazione che possono gestire le policy dell'organizzazione sono esenti dall'applicazione di questa impostazione." }, "sendDisabled": { "message": "Send disabilitato", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendDisabledWarning": { "message": "A causa di una policy aziendale, è possibile eliminare solo un Send esistente.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptions": { "message": "Opzioni Send", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyDesc": { "message": "Imposta le opzioni per creare e modificare Send.", "description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsExemption": { "message": "Gli utenti dell'organizzazione che possono gestire le policy dell'organizzazione sono esenti dall'applicazione di questa policy." }, "disableHideEmail": { "message": "Non consentire agli utenti di nascondere il proprio indirizzo email dai destinatari quando si crea o modifica un Send.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyInEffect": { "message": "Attualmente sono in vigore le seguenti policy dell'organizzazione:" }, "sendDisableHideEmailInEffect": { "message": "Agli utenti non è consentito nascondere il proprio indirizzo email dai destinatari quando si crea o modifica un Send.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "modifiedPolicyId": { "message": "Policy $ID$ modificata.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "planPrice": { "message": "Costo del piano" }, "estimatedTax": { "message": "Tasse stimate" }, "custom": { "message": "Personalizzato" }, "customDesc": { "message": "Consente un controllo più granulare delle autorizzazioni utente per le configurazioni avanzate." }, "permissions": { "message": "Permessi" }, "accessEventLogs": { "message": "Accedi ai log degli eventi" }, "accessImportExport": { "message": "Accedi ad Import/Export" }, "accessReports": { "message": "Accedi ai resoconti" }, "missingPermissions": { "message": "Non hai i permessi necessari per eseguire questa azione." }, "manageAllCollections": { "message": "Gestisci tutte le raccolte" }, "createNewCollections": { "message": "Crea nuove raccolte" }, "editAnyCollection": { "message": "Modifica tutte le raccolte" }, "deleteAnyCollection": { "message": "Elimina tutte le raccolte" }, "manageAssignedCollections": { "message": "Gestisci le raccolte assegnate" }, "editAssignedCollections": { "message": "Modifica le raccolte assegnate" }, "deleteAssignedCollections": { "message": "Elimina raccolte assegnate" }, "manageGroups": { "message": "Gestisci i gruppi" }, "managePolicies": { "message": "Gestisci le policy" }, "manageSso": { "message": "Gestisci SSO" }, "manageUsers": { "message": "Gestisci gli utenti" }, "manageResetPassword": { "message": "Gestisci ripristino password" }, "disableRequiredError": { "message": "Per disabilitare questa policy, è necessario prima disabilitare la policy $POLICYNAME$.", "placeholders": { "policyName": { "content": "$1", "example": "Single Sign-On Authentication" } } }, "personalOwnershipPolicyInEffect": { "message": "Una policy dell'organizzazione controlla le opzioni di proprietà." }, "personalOwnershipPolicyInEffectImports": { "message": "Una policy dell'organizzazione ha disabilitato l'importazione di elementi nella tua cassaforte personale." }, "personalOwnershipCheckboxDesc": { "message": "Disabilita la proprietà personale per gli utenti dell'organizzazione" }, "textHiddenByDefault": { "message": "Quando si accede al Send, nascondi il testo di default", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNameDesc": { "message": "Un nome intuitivo per descrivere il Send.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendTextDesc": { "message": "Il testo che desideri inviare." }, "sendFileDesc": { "message": "Il file che desideri inviare." }, "copySendLinkOnSave": { "message": "Copia il collegamento per condividere questo Send nei miei appunti al momento del salvataggio." }, "sendLinkLabel": { "message": "Collegamento del 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": "Con Bitwarden Send trasmetti informazioni sensibili e temporanee agli altri in maniera facile e sicura.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendAccessTaglineLearnMore": { "message": "Per saperne di più", "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": "Condividi testi e file direttamente con chiunque." }, "sendVaultCardLearnMore": { "message": "Per saperne di più", "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": "vedi", "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": "come funziona", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see **how it works**, or try it now.'" }, "sendVaultCardOr": { "message": "o", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, **or** try it now.'" }, "sendVaultCardTryItNow": { "message": "provalo adesso", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, or **try it now**.'" }, "sendAccessTaglineOr": { "message": "o", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send **or** sign up to try it today.'" }, "sendAccessTaglineSignUp": { "message": "iscriviti", "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": "per provarlo oggi.", "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'utente Bitwarden $USER_IDENTIFIER$ ha condiviso questo con te", "placeholders": { "user_identifier": { "content": "$1", "example": "An email address" } } }, "viewSendHiddenEmailWarning": { "message": "L'utente Bitwarden che ha creato questo Send ha scelto di nascondere il proprio indirizzo email. Devi essere sicuro di fidarti della fonte di questo collegamento prima di usare o scaricare il suo contenuto.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDateIsInvalid": { "message": "La data di scadenza fornita non è valida." }, "deletionDateIsInvalid": { "message": "La data di eliminazione fornita non è valida." }, "expirationDateAndTimeRequired": { "message": "È necessario inserire data e ora di scadenza." }, "deletionDateAndTimeRequired": { "message": "È necessario inserire data e ora di eliminazione." }, "dateParsingError": { "message": "Si è verificato un errore durante il salvataggio delle date di eliminazione e scadenza." }, "webAuthnFallbackMsg": { "message": "Per verificare la tua 2FA fai clic sul pulsante qui sotto." }, "webAuthnAuthenticate": { "message": "Autenticazione WebAuthn" }, "webAuthnNotSupported": { "message": "WebAuthn non è supportato da questo browser." }, "webAuthnSuccess": { "message": "WebAuthn verificato correttamente! Puoi chiudere questa scheda." }, "hintEqualsPassword": { "message": "Il suggerimento della password non può essere uguale alla password." }, "enrollPasswordReset": { "message": "Aderisci al ripristino della password" }, "enrolledPasswordReset": { "message": "Hai aderito al ripristino della password" }, "withdrawPasswordReset": { "message": "Rifiuta il ripristino della password" }, "enrollPasswordResetSuccess": { "message": "Iscrizione completata!" }, "withdrawPasswordResetSuccess": { "message": "Rinuncia completata!" }, "eventEnrollPasswordReset": { "message": "Utente $ID$ registrato all'assistenza per il ripristino della password.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventWithdrawPasswordReset": { "message": "Utente $ID$ prelevato dall'assistenza per il ripristino della password.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventAdminPasswordReset": { "message": "Ripristino della password principale per l'utente $ID$.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventResetSsoLink": { "message": "Ripristina collegamento SSO per l'utente $ID$", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "firstSsoLogin": { "message": "$ID$ ha effettuato l'accesso tramite SSO per la prima volta", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "resetPassword": { "message": "Ripristina password" }, "resetPasswordLoggedOutWarning": { "message": "Procedendo $NAME$ saranno disconnessi dalla sessione attuale, richiedendo loro di effettuare nuovamente l'accesso. Le sessioni attive su altri dispositivi potrebbero rimanere attive per un massimo di un'ora.", "placeholders": { "name": { "content": "$1", "example": "John Smith" } } }, "thisUser": { "message": "questo utente" }, "resetPasswordMasterPasswordPolicyInEffect": { "message": "Una o più regole dell'organizzazione richiedono che la password principale verifichi i seguenti requisiti:" }, "resetPasswordSuccess": { "message": "Password ripristinata correttamente!" }, "resetPasswordEnrollmentWarning": { "message": "L'iscrizione consentirà agli amministratori dell'organizzazione di cambiare la tua password principale. Sei sicuro di volerti iscrivere?" }, "resetPasswordPolicy": { "message": "Ripristino password principale" }, "resetPasswordPolicyDescription": { "message": "Consenti agli amministratori dell'organizzazione di ripristinare la password principale degli utenti dell'organizzazione." }, "resetPasswordPolicyWarning": { "message": "Gli utenti dell'organizzazione dovranno auto-iscriversi o essere iscritti automaticamente prima che gli amministratori possano ripristinare la loro password principale." }, "resetPasswordPolicyAutoEnroll": { "message": "Iscrizione automatica" }, "resetPasswordPolicyAutoEnrollDescription": { "message": "Tutti gli utenti saranno automaticamente iscritti alla procedura di ripristino della password una volta accettato l'invito." }, "resetPasswordPolicyAutoEnrollWarning": { "message": "Gli utenti già presenti nell'organizzazione non saranno iscritti retroattivamente al ripristino della password. Essi dovranno auto-iscriversi prima che gli amministratori possano ripristinare la loro password principale." }, "resetPasswordPolicyAutoEnrollCheckbox": { "message": "Richiedi l'iscrizione automatica dei nuovi utenti" }, "resetPasswordAutoEnrollInviteWarning": { "message": "Questa organizzazione ha una policy aziendale che ti iscriverà automaticamente al ripristino della password. Ciò permetterà agli amministratori dell'organizzazione di cambiare la tua password principale." }, "resetPasswordOrgKeysError": { "message": "La risposta delle chiavi dell'organizzazione è nulla" }, "resetPasswordDetailsError": { "message": "La risposta ai dettagli del ripristino della password è nulla" }, "trashCleanupWarning": { "message": "Gli elementi nel Cestino più vecchi di 30 giorni saranno automaticamente eliminati." }, "trashCleanupWarningSelfHosted": { "message": "Gli elementi nel Cestino da un po' di tempo saranno automaticamente eliminati." }, "passwordPrompt": { "message": "Nuova richiesta della password principale" }, "passwordConfirmation": { "message": "Conferma della password principale" }, "passwordConfirmationDesc": { "message": "Questa azione è protetta. Per continuare, inserisci nuovamente la tua password principale per verificare la tua identità." }, "reinviteSelected": { "message": "Invia nuovamente l'invito" }, "noSelectedUsersApplicable": { "message": "Questa azione non è applicabile a nessuno degli utenti selezionati." }, "removeUsersWarning": { "message": "Sei sicuro di voler rimuovere i seguenti utenti? Il processo potrebbe richiedere alcuni secondi per essere completato e non può essere interrotto o annullato." }, "theme": { "message": "Tema" }, "themeDesc": { "message": "Scegli un tema per la tua cassaforte web." }, "themeSystem": { "message": "Usa tema di sistema" }, "themeDark": { "message": "Scuro" }, "themeLight": { "message": "Chiaro" }, "confirmSelected": { "message": "Conferma selezionati" }, "bulkConfirmStatus": { "message": "Stato dell'azione in blocco" }, "bulkConfirmMessage": { "message": "Confermato correttamente." }, "bulkReinviteMessage": { "message": "Re-invitato correttamente." }, "bulkRemovedMessage": { "message": "Rimosso correttamente" }, "bulkFilteredMessage": { "message": "Escluso, non applicabile per questa azione." }, "fingerprint": { "message": "Impronta" }, "removeUsers": { "message": "Rimuovi utenti" }, "error": { "message": "Errore" }, "resetPasswordManageUsers": { "message": "Gestisci utenti deve essere abilitato con il permesso di gestione del ripristino delle password" }, "setupProvider": { "message": "Configurazione del fornitore" }, "setupProviderLoginDesc": { "message": "Sei stato invitato a impostare un nuovo fornitore. Per continuare, accedi o crea un nuovo account Bitwarden." }, "setupProviderDesc": { "message": "Inserisci i dettagli sotto per completare la configurazione del fornitore. Se hai bisogno di aiuto, contatta il supporto clienti." }, "providerName": { "message": "Nome del fornitore" }, "providerSetup": { "message": "Il fornitore è stato configurato." }, "clients": { "message": "Clienti" }, "providerAdmin": { "message": "Amministratore del fornitore" }, "providerAdminDesc": { "message": "L'utente con privilegi di accesso più elevato che può gestire tutti gli aspetti del tuo fornitore nonché accedere e gestire le organizzazioni dei clienti." }, "serviceUser": { "message": "Utente di servizio" }, "serviceUserDesc": { "message": "Gli utenti di servizio che possono accedere e gestire tutte le organizzazioni cliente." }, "providerInviteUserDesc": { "message": "Invita un nuovo utente nella tua organizzazione inserendo di seguito l'indirizzo email del suo account Bitwarden. Se non in possesso di un account Bitwarden, sarà richiesto di crearne uno nuovo." }, "joinProvider": { "message": "Unisciti al fornitore" }, "joinProviderDesc": { "message": "Sei stato invitato a unirti al fornitore indicato in alto. Per accettare l'invito, accedi o crea un nuovo account Bitwarden." }, "providerInviteAcceptFailed": { "message": "Impossibile accettare l'invito. Chiedi all'amministratore del fornitore di inviare un nuovo invito." }, "providerInviteAcceptedDesc": { "message": "Potrai accedere a questo fornitore quando l'amministratore confermerà la tua iscrizione. Riceverai un'email a conferma avvenuta." }, "providerUsersNeedConfirmed": { "message": "Hai utenti che hanno accettato il loro invito, ma devono ancora essere confermati. Gli utenti non avranno accesso al fornitore fino a quando non saranno confermati." }, "provider": { "message": "Fornitore" }, "newClientOrganization": { "message": "Nuova organizzazione cliente" }, "newClientOrganizationDesc": { "message": "Crea una nuovo organizzazione cliente che sarà associata a te come fornitore. Sarai in grado di accedere e gestire questa organizzazione." }, "addExistingOrganization": { "message": "Aggiungi organizzazione esistente" }, "myProvider": { "message": "Il mio fornitore" }, "addOrganizationConfirmation": { "message": "Sei sicuro di voler aggiungere $ORGANIZATION$ come cliente di $PROVIDER$?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" }, "provider": { "content": "$2", "example": "My Provider Name" } } }, "organizationJoinedProvider": { "message": "Organizzazione aggiunta con successo al fornitore" }, "accessingUsingProvider": { "message": "Accesso in corso all'organizzazione con il fornitore $PROVIDER$", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "providerIsDisabled": { "message": "Il fornitore è disabilitato." }, "providerUpdated": { "message": "Fornitore aggiornato" }, "yourProviderIs": { "message": "Il tuo fornitore è $PROVIDER$. Hanno privilegi amministrativi e di fatturazione per la tua organizzazione.", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "detachedOrganization": { "message": "L'organizzazione $ORGANIZATION$ è stata sganciata dal tuo fornitore.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "detachOrganizationConfirmation": { "message": "Sei sicuro di voler rimuovere questa organizzazione? L'organizzazione continuerà ad esistere ma non sarà più gestita dal fornitore." }, "add": { "message": "Aggiungi" }, "updatedMasterPassword": { "message": "Password principale aggiornata" }, "updateMasterPassword": { "message": "Aggiorna password principale" }, "updateMasterPasswordWarning": { "message": "La tua password principale è stata recentemente modificata da un amministratore nella tua organizzazione. Per accedere alla cassaforte, aggiorna ora la password. Procedendo sarai disconnesso dalla sessione attuale e ti sarà richiesto di effettuare nuovamente l'accesso. Le sessioni attive su altri dispositivi potrebbero continuare a rimanere attive per un massimo di un'ora." }, "masterPasswordInvalidWarning": { "message": "La tua password principale non soddisfa i requisiti della politica di questa organizzazione. Per aderire all'organizzazione, è necessario aggiornare subito la password principale. Il procedimento chiuderà la sessione attuale, richiedendo di accedere nuovamente. Le sessioni attive su altri dispositivi possono rimanere tali fino a un'ora." }, "maximumVaultTimeout": { "message": "Timeout cassaforte" }, "maximumVaultTimeoutDesc": { "message": "Configura un timeout massimo della cassaforte per tutti gli utenti." }, "maximumVaultTimeoutLabel": { "message": "Timeout massimo della cassaforte" }, "invalidMaximumVaultTimeout": { "message": "Timeout massimo della cassaforte non valido." }, "hours": { "message": "Ore" }, "minutes": { "message": "Minuti" }, "vaultTimeoutPolicyInEffect": { "message": "Le politiche dell'organizzazione controllano il timeout della tua cassaforte. Il tempo massimo consentito è di $HOURS$ ore e $MINUTES$ minuti", "placeholders": { "hours": { "content": "$1", "example": "5" }, "minutes": { "content": "$2", "example": "5" } } }, "customVaultTimeout": { "message": "Timeout cassaforte personalizzato" }, "vaultTimeoutToLarge": { "message": "Il timeout della tua cassaforte supera le restrizioni impostate dalla tua organizzazione." }, "disablePersonalVaultExport": { "message": "Disabilita esportazione cassaforte personale" }, "disablePersonalVaultExportDesc": { "message": "Impedisce agli utenti di esportare i loro dati privati della cassaforte." }, "vaultExportDisabled": { "message": "Esportazione cassaforte disabilitata" }, "personalVaultExportPolicyInEffect": { "message": "Una o più politiche di organizzazione ti impediscono di esportare la tua cassaforte personale." }, "selectType": { "message": "Seleziona tipo di SSO" }, "type": { "message": "Tipo" }, "openIdConnectConfig": { "message": "Configurazione OpenID Connect" }, "samlSpConfig": { "message": "Configurazione del fornitore del servizio SAML" }, "samlIdpConfig": { "message": "Configurazione del fornitore di identità SAML" }, "callbackPath": { "message": "URL di callback" }, "signedOutCallbackPath": { "message": "URL di disconnessione" }, "authority": { "message": "Autorità" }, "clientId": { "message": "ID cliente" }, "clientSecret": { "message": "Segreto cliente" }, "metadataAddress": { "message": "Indirizzo metadata" }, "oidcRedirectBehavior": { "message": "Comportamento di redirezione OIDC" }, "getClaimsFromUserInfoEndpoint": { "message": "Ottieni claim dall'endpoint di informazioni utente" }, "additionalScopes": { "message": "Scope aggiuntivi/personalizzati (separati da virgola)" }, "additionalUserIdClaimTypes": { "message": "Tipi di claim 'User ID' aggiuntivi/personalizzati (separati da virgola)" }, "additionalEmailClaimTypes": { "message": "Tipi di claim 'Email' aggiuntivi/personalizzati (separati da virgola)" }, "additionalNameClaimTypes": { "message": "Tipi di claim \"Name\" aggiuntivi/personalizzati (separati da virgola)" }, "acrValues": { "message": "Valori di riferimento della classe del contesto di autenticazione richiesta (acr_values)" }, "expectedReturnAcrValue": { "message": "Valore atteso di claim \"acr\" nella risposta (convalida acr)" }, "spEntityId": { "message": "ID entità SP" }, "spMetadataUrl": { "message": "URL metadati SAML 2.0" }, "spAcsUrl": { "message": "Assertion Consumer Service (ACS) URL" }, "spNameIdFormat": { "message": "Formato 'Name ID'" }, "spOutboundSigningAlgorithm": { "message": "Outbound Signing Algorithm" }, "spSigningBehavior": { "message": "Comportamento firma" }, "spMinIncomingSigningAlgorithm": { "message": "Algoritmo di firma minimo in entrata" }, "spWantAssertionsSigned": { "message": "Necessarie asserzioni firmate" }, "spValidateCertificates": { "message": "Convalida i certificati" }, "idpEntityId": { "message": "ID entità" }, "idpBindingType": { "message": "Tipo di associazione" }, "idpSingleSignOnServiceUrl": { "message": "URL del servizio di Single Sign On" }, "idpSingleLogoutServiceUrl": { "message": "Single Log Out Service URL" }, "idpX509PublicCert": { "message": "Certificato pubblico X509" }, "idpOutboundSigningAlgorithm": { "message": "Algoritmo di firma in uscita" }, "idpAllowUnsolicitedAuthnResponse": { "message": "Consenti risposta di autenticazione non richiesta" }, "idpAllowOutboundLogoutRequests": { "message": "Permetti richieste di disconnessione in uscita" }, "idpSignAuthenticationRequests": { "message": "Firma le richieste di autenticazione" }, "ssoSettingsSaved": { "message": "La configurazione del Single Sign-On è stata salvata." }, "sponsoredFamilies": { "message": "Bitwarden Families gratuito" }, "sponsoredFamiliesEligible": { "message": "Tu e la tua famiglia siete eleggibili per Bitwarden Families gratis. Aderisci all'offerta con la tua mail personale e mantieni i tuoi dati al sicuro anche quando non sei a lavoro." }, "sponsoredFamiliesEligibleCard": { "message": "Riscatta oggi il tuo piano Bitwarden per famiglie gratuito per mantenere i tuoi dati al sicuro anche quando non sei al lavoro." }, "sponsoredFamiliesInclude": { "message": "Il piano Bitwarden Families include" }, "sponsoredFamiliesPremiumAccess": { "message": "Accesso premium fino a 6 utenti" }, "sponsoredFamiliesSharedCollections": { "message": "Raccolte condivise per segreti di famiglia" }, "badToken": { "message": "Il link non è più valido. Per favore chiedi allo sponsor di inviare nuovamente l'offerta." }, "reclaimedFreePlan": { "message": "Piano gratuito riscattato" }, "redeem": { "message": "Riscatta" }, "sponsoredFamiliesSelectOffer": { "message": "Seleziona l'organizzazione che desideri sponsorizzare" }, "familiesSponsoringOrgSelect": { "message": "Quale offerta gratis per famiglie vorresti riscattare?" }, "sponsoredFamiliesEmail": { "message": "Digita la tua email personale per riscattare Bitwarden per famiglie" }, "sponsoredFamiliesLeaveCopy": { "message": "Se lasci o sei rimosso da questa organizzazione, il piano Famiglie scadrà alla fine del periodo di fatturazione." }, "acceptBitwardenFamiliesHelp": { "message": "Accetta l'offerta per un'organizzazione esistente o crea una nuova organizzazione Famiglie." }, "setupSponsoredFamiliesLoginDesc": { "message": "Ti è stato offerto un piano gratuito per Bitwarden per famiglie. Per continuare, devi accedere all'account che ha ricevuto l'offerta." }, "sponsoredFamiliesAcceptFailed": { "message": "Impossibile accettare l'offerta. Invia nuovamente l'email di offerta dal tuo account aziendale e riprova." }, "sponsoredFamiliesAcceptFailedShort": { "message": "Impossibile accettare l'offerta. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must have at least one existing Families Organization." } } }, "sponsoredFamiliesOffer": { "message": "Riscatta l'offerta di Bitwarden Families (Organizzazione)" }, "sponsoredFamiliesOfferRedeemed": { "message": "Offerta gratuita di Bitwarden per famiglie riscattata correttamente" }, "redeemed": { "message": "Riscattato" }, "redeemedAccount": { "message": "Account riscattato" }, "revokeAccount": { "message": "Revoca l'account $NAME$", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "resendEmailLabel": { "message": "Reinvia l'email sponsor allo sponsor $NAME$", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "freeFamiliesPlan": { "message": "Piano Families gratis" }, "redeemNow": { "message": "Riscatta ora" }, "recipient": { "message": "Destinatario" }, "removeSponsorship": { "message": "Rimuovi sponsorizzazione" }, "removeSponsorshipConfirmation": { "message": "Dopo aver rimosso una sponsorizzazione, sarai responsabile di questo abbonamento e delle relative fatture. Sei sicuro di voler continuare?" }, "sponsorshipCreated": { "message": "Sponsorizzazione creata" }, "revoke": { "message": "Revoca" }, "emailSent": { "message": "Email inviata" }, "revokeSponsorshipConfirmation": { "message": "Dopo aver rimosso questo account, il proprietario dell'organizzazione Famiglie sarà responsabile di questo abbonamento e delle relative fatture. Sei sicuro di voler continuare?" }, "removeSponsorshipSuccess": { "message": "Sponsorizzazione rimossa" }, "ssoKeyConnectorUnavailable": { "message": "Impossibile raggiungere il key connector, riprova più tardi." }, "keyConnectorUrl": { "message": "URL del key connector" }, "sendVerificationCode": { "message": "Invia un codice di verifica alla tua email" }, "sendCode": { "message": "Invia codice" }, "codeSent": { "message": "Codice inviato" }, "verificationCode": { "message": "Codice di verifica" }, "confirmIdentity": { "message": "Conferma la tua identità per continuare." }, "verificationCodeRequired": { "message": "Il codice di verifica è obbligatorio." }, "invalidVerificationCode": { "message": "Codice di verifica non valido" }, "convertOrganizationEncryptionDesc": { "message": "$ORGANIZATION$ sta usando SSO con una chiave server self-hosted. Non è più richiesta una password principale per accedere per i membri di questa organizzazione.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "leaveOrganization": { "message": "Lascia l'organizzazione" }, "removeMasterPassword": { "message": "Rimuovi la password principale" }, "removedMasterPassword": { "message": "Password principale rimossa." }, "allowSso": { "message": "Consenti autenticazione SSO" }, "allowSsoDesc": { "message": "Una volta impostata, la tua configurazione sarà salvata e i membri potranno autenticarsi utilizzando le credenziali del loro Identity Provider." }, "ssoPolicyHelpStart": { "message": "Abilita 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": "policy 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": "per obbligare tutti i membri ad accedere con SSO.", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpKeyConnector": { "message": "L'autenticazione SSO e i criteri dell'organizzazione unica sono necessari per configurare la decifratura del connettore chiave." }, "memberDecryptionOption": { "message": "Opzioni di decifratura membro" }, "memberDecryptionPassDesc": { "message": "Una volta autenticati, i membri decrittograferanno i dati della cassaforte con le loro password principali." }, "keyConnector": { "message": "Key connector" }, "memberDecryptionKeyConnectorDesc": { "message": "Collega il tuo accesso con SSO al tuo server \"self-hosted\" di decrittazione. Utilizzando questa opzione, i membri non avranno bisogno di utilizzare la loro password principale per decrittare la cassaforte." }, "keyConnectorPolicyRestriction": { "message": "\"Accesso con SSO e decrittazione key connector\" è abilitato. Questa politica sarà applicata solo ai proprietari e agli amministratori." }, "enabledSso": { "message": "SSO abilitato" }, "disabledSso": { "message": "SSO disabilitato" }, "enabledKeyConnector": { "message": "Key connector abilitato" }, "disabledKeyConnector": { "message": "Key connector disabilitato" }, "keyConnectorWarning": { "message": "Una volta impostato il key connector, le opzioni di decrittazione dei membri non potranno più essere modificate." }, "migratedKeyConnector": { "message": "Migrato al key connector" }, "paymentSponsored": { "message": "Fornisci un metodo di pagamento da associare all'organizzazione. Non ti preoccupare, non ti addebiteremo nulla a meno che non selezioni funzionalità aggiuntive o la tua sponsorizzazione scada. " }, "orgCreatedSponsorshipInvalid": { "message": "L'offerta di sponsorizzazione è scaduta e puoi eliminare l'organizzazione creata per evitare un addebito al termine della prova di 7 giorni. Altrimenti puoi chiudere questa richiesta per mantenere l'organizzazione e assumerti la responsabilità della fatturazione." }, "newFamiliesOrganization": { "message": "Nuova organizzazione Famiglie" }, "acceptOffer": { "message": "Accetta l'offerta" }, "sponsoringOrg": { "message": "Organizzazione sponsor" }, "keyConnectorTest": { "message": "Prova" }, "keyConnectorTestSuccess": { "message": "Key connector raggiunto!" }, "keyConnectorTestFail": { "message": "Impossibile raggiungere il Key Connector. Controlla l'URL." }, "sponsorshipTokenHasExpired": { "message": "L'offerta di sponsorizzazione è scaduta." }, "freeWithSponsorship": { "message": "GRATUITO con sponsorizzazione" }, "formErrorSummaryPlural": { "message": "$COUNT$ campi richiedono la tua attenzione.", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "formErrorSummarySingle": { "message": "1 campo ha bisogno di attenzione." }, "fieldRequiredError": { "message": "$FIELDNAME$ è obbligatorio.", "placeholders": { "fieldname": { "content": "$1", "example": "Full name" } } }, "required": { "message": "obbligatorio" }, "idpSingleSignOnServiceUrlRequired": { "message": "Richiesto se l'Entity ID non è un URL." }, "openIdOptionalCustomizations": { "message": "Personalizzazioni opzionali" }, "openIdAuthorityRequired": { "message": "Richiesto se l'Authority non è valida." }, "separateMultipleWithComma": { "message": "Elenco separato da virgole." }, "sessionTimeout": { "message": "La tua sessione è scaduta. Torna indietro e riprova ad accedere." }, "exportingPersonalVaultTitle": { "message": "Esportazione cassaforte personale" }, "exportingOrganizationVaultTitle": { "message": "Esportazione cassaforte dell'organizzazione" }, "exportingPersonalVaultDescription": { "message": "Saranno esportati solo gli oggetti della cassaforte personale associati a $EMAIL$. Gli oggetti della cassaforte dell'organizzazione non saranno inclusi.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" } } }, "exportingOrganizationVaultDescription": { "message": "Sarà esportata solo la cassaforte dell'organizzazione associata a $ORGANIZATION$. Gli oggetti della cassaforte personale e gli oggetti da altre organizzazioni non saranno inclusi.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "backToReports": { "message": "Torna ai report" }, "generator": { "message": "Generatore" }, "whatWouldYouLikeToGenerate": { "message": "Cosa vorresti generare?" }, "passwordType": { "message": "Tipo di password" }, "regenerateUsername": { "message": "Rigenera nome utente" }, "generateUsername": { "message": "Genera nome utente" }, "usernameType": { "message": "Tipo di nome utente" }, "plusAddressedEmail": { "message": "Indirizzo email alternativo", "description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com" }, "plusAddressedEmailDesc": { "message": "Usa le funzionalità di sub-indirizzamento del tuo fornitore di posta elettronica." }, "catchallEmail": { "message": "Email catch-all" }, "catchallEmailDesc": { "message": "Usa la casella di posta catch-all di dominio." }, "random": { "message": "Casuale" }, "randomWord": { "message": "Parola casuale" }, "service": { "message": "Servizio" } }
bitwarden/web/src/locales/it/messages.json/0
{ "file_path": "bitwarden/web/src/locales/it/messages.json", "repo_id": "bitwarden", "token_count": 60920 }
183
.card { @include themify($themes) { background-color: themed("foregroundColor"); border-color: themed("borderColor"); color: themed("textColor"); } &.text-danger { &.text-danger > .card-body { @include themify($themes) { color: themed("danger"); } } } } .card-header, .modal-header { font-weight: bold; text-transform: uppercase; small { font-weight: normal; text-transform: none; @extend .text-muted; } } .card-header { @include themify($themes) { background-color: themed("headerColor"); color: themed("textHeadingColor"); } a:hover { &:not(.badge) { @include themify($themes) { color: themed("learnMoreHover"); } } } } .card-body-header { font-size: $font-size-lg; @extend .mb-4; } .card ul.bwi-ul.card-ul { margin-left: 1.9em; li { word-break: break-all; } .bwi-li { top: 4px; } &.carets { margin-left: 1.1em; .bwi-li { left: -17px; width: 1.1em; } } ul { &.carets { margin-left: 0.85em; } } &.no-margin { margin-left: 0; } } .card-org-plans { h2 { font-size: $font-size-lg; } } .card-body { &:not(.bg-light > .card-body) { @include themify($themes) { background-color: themed("foregroundColor"); color: themed("textColor"); } &.card-body a:not(li a) { @include themify($themes) { font-weight: themed("linkWeight"); } } } }
bitwarden/web/src/scss/cards.scss/0
{ "file_path": "bitwarden/web/src/scss/cards.scss", "repo_id": "bitwarden", "token_count": 709 }
184
import { I18nService as BaseI18nService } from "jslib-common/services/i18n.service"; export class I18nService extends BaseI18nService { constructor(systemLanguage: string, localesDirectory: string) { super(systemLanguage || "en-US", localesDirectory, async (formattedLocale: string) => { const filePath = this.localesDirectory + "/" + formattedLocale + "/messages.json?cache=" + process.env.CACHE_TAG; const localesResult = await fetch(filePath); const locales = await localesResult.json(); return locales; }); // Please leave 'en' where it is, as it's our fallback language in case no translation can be found this.supportedTranslationLocales = [ "en", "af", "az", "be", "bg", "bn", "bs", "ca", "cs", "da", "de", "el", "en-GB", "en-IN", "eo", "es", "et", "fi", "fil", "fr", "he", "hi", "hr", "hu", "id", "it", "ja", "ka", "km", "kn", "ko", "lv", "ml", "nb", "nl", "nn", "pl", "pt-PT", "pt-BR", "ro", "ru", "si", "sk", "sl", "sr", "sv", "tr", "uk", "vi", "zh-CN", "zh-TW", ]; } }
bitwarden/web/src/services/i18n.service.ts/0
{ "file_path": "bitwarden/web/src/services/i18n.service.ts", "repo_id": "bitwarden", "token_count": 743 }
185
<%@ page contentType="text/html;charset=UTF-8" language="java" %> <!DOCTYPE html> <html> <head> <title>首页</title> </head> <body> <h1>首页</h1> <h2>登录成功</h2> </body> </html>
chwshuang/web/back/src/main/webapp/WEB-INF/pages/index/index.jsp/0
{ "file_path": "chwshuang/web/back/src/main/webapp/WEB-INF/pages/index/index.jsp", "repo_id": "chwshuang", "token_count": 110 }
186
package com.aitongyi.web.task; import org.slf4j.Logger; import org.slf4j.LoggerFactory; import org.springframework.scheduling.annotation.Scheduled; import org.springframework.stereotype.Component; /** * 自定义定时任务 * Created by admin on 16/8/15. */ @Component public class CustomTask { private static final Logger logger = LoggerFactory.getLogger(CustomTask.class); /** * 调度任务执行 * <pre> * <table> * <th> * <tr> <td>名称</td> <td>类型</td> <td>单位</td><td>说明</td> </tr> * </th> * * <tr> <td>cron</td> <td>String</td> <td> - </td> <td>cron表达式</td></tr> * <tr> <td>zone</td> <td>String</td> <td> - </td> <td>时区字符串(一般不需要设置)</td> </tr> * <tr> <td>fixedDelay</td> <td>long</td> <td>毫秒</td> <td>调度间隔,下一个任务开始时间与上一个任务结束时间间隔[F-S]</td> </tr> * <tr> <td>fixedDelayString</td> <td>String</td> <td>毫秒</td> <td>调度间隔,下一个任务开始时间与上一个任务结束时间间隔,字符串表示[F-S]</td> </tr> * <tr> <td>fixedRate</td> <td>long</td> <td>毫秒</td> <td>调度间隔,下一个任务开始时间与上一个任务开始时间间隔[S-S]</td> </tr> * <tr> <td>fixedRateString</td> <td>String</td> <td>毫秒</td> <td>调度间隔,下一个任务开始时间与上一个任务开始时间间隔,字符串表示[S-S]</td> </tr> * <tr> <td>initialDelay</td> <td>long</td> <td>毫秒</td> <td>调度器启动延迟时间</td> </tr> * <tr> <td>initialDelayString</td> <td>String</td> <td>毫秒</td> <td>调度器启动延迟时间,字符串表示</td> </tr> * * </table> * </pre> */ @Scheduled(fixedRate = 1000 * 10,initialDelay = 1000 * 5) private void taskRun(){ logger.info("CustomTask run ..."); } }
chwshuang/web/task/src/main/java/com/aitongyi/web/task/CustomTask.java/0
{ "file_path": "chwshuang/web/task/src/main/java/com/aitongyi/web/task/CustomTask.java", "repo_id": "chwshuang", "token_count": 1155 }
187
package web import ( "bytes" "fmt" "github.com/stretchr/testify/assert" "log" "net/http" "strings" "testing" ) func ErrorHandlerWithNoContext(w ResponseWriter, r *Request, err interface{}) { w.WriteHeader(http.StatusInternalServerError) fmt.Fprintf(w, "Contextless Error") } func TestNoErrorHandler(t *testing.T) { router := New(Context{}) router.Get("/action", (*Context).ErrorAction) admin := router.Subrouter(AdminContext{}, "/admin") admin.Get("/action", (*AdminContext).ErrorAction) rw, req := newTestRequest("GET", "/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "Application Error", http.StatusInternalServerError) rw, req = newTestRequest("GET", "/admin/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "Application Error", http.StatusInternalServerError) } func TestHandlerOnRoot(t *testing.T) { router := New(Context{}) router.Error((*Context).ErrorHandler) router.Get("/action", (*Context).ErrorAction) admin := router.Subrouter(AdminContext{}, "/admin") admin.Get("/action", (*AdminContext).ErrorAction) rw, req := newTestRequest("GET", "/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "My Error", http.StatusInternalServerError) rw, req = newTestRequest("GET", "/admin/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "My Error", http.StatusInternalServerError) } func TestContextlessError(t *testing.T) { router := New(Context{}) router.Error(ErrorHandlerWithNoContext) router.Get("/action", (*Context).ErrorAction) admin := router.Subrouter(AdminContext{}, "/admin") admin.Get("/action", (*AdminContext).ErrorAction) rw, req := newTestRequest("GET", "/action") router.ServeHTTP(rw, req) assert.Equal(t, http.StatusInternalServerError, rw.Code) assertResponse(t, rw, "Contextless Error", http.StatusInternalServerError) rw, req = newTestRequest("GET", "/admin/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "Contextless Error", http.StatusInternalServerError) } func TestMultipleErrorHandlers(t *testing.T) { router := New(Context{}) router.Error((*Context).ErrorHandler) router.Get("/action", (*Context).ErrorAction) admin := router.Subrouter(AdminContext{}, "/admin") admin.Error((*AdminContext).ErrorHandler) admin.Get("/action", (*AdminContext).ErrorAction) rw, req := newTestRequest("GET", "/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "My Error", http.StatusInternalServerError) rw, req = newTestRequest("GET", "/admin/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "Admin Error", http.StatusInternalServerError) } func TestMultipleErrorHandlers2(t *testing.T) { router := New(Context{}) router.Get("/action", (*Context).ErrorAction) admin := router.Subrouter(AdminContext{}, "/admin") admin.Error((*AdminContext).ErrorHandler) admin.Get("/action", (*AdminContext).ErrorAction) api := router.Subrouter(APIContext{}, "/api") api.Error((*APIContext).ErrorHandler) api.Get("/action", (*APIContext).ErrorAction) rw, req := newTestRequest("GET", "/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "Application Error", http.StatusInternalServerError) rw, req = newTestRequest("GET", "/admin/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "Admin Error", http.StatusInternalServerError) rw, req = newTestRequest("GET", "/api/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "Api Error", http.StatusInternalServerError) } func TestRootMiddlewarePanic(t *testing.T) { router := New(Context{}) router.Middleware((*Context).ErrorMiddleware) router.Error((*Context).ErrorHandler) admin := router.Subrouter(AdminContext{}, "/admin") admin.Error((*AdminContext).ErrorHandler) admin.Get("/action", (*AdminContext).ErrorAction) rw, req := newTestRequest("GET", "/admin/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "My Error", 500) } func TestNonRootMiddlewarePanic(t *testing.T) { router := New(Context{}) router.Error((*Context).ErrorHandler) admin := router.Subrouter(AdminContext{}, "/admin") admin.Middleware((*AdminContext).ErrorMiddleware) admin.Error((*AdminContext).ErrorHandler) admin.Get("/action", (*AdminContext).ErrorAction) rw, req := newTestRequest("GET", "/admin/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "Admin Error", 500) } func TestPanicLogging(t *testing.T) { var buf bytes.Buffer // Set the panichandler to our own time, then set it back after the test is done: oldHandler := PanicHandler PanicHandler = logPanicReporter{ log: log.New(&buf, "", 0), } defer func() { PanicHandler = oldHandler }() router := New(Context{}) router.Get("/action", (*Context).ErrorAction) rw, req := newTestRequest("GET", "/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "Application Error", 500) if !strings.HasPrefix(buf.String(), "PANIC") { t.Error("Expected to have our PanicHandler be logged to.") } } func TestConsistentContext(t *testing.T) { router := New(Context{}) router.Error((*Context).ErrorHandler) admin := router.Subrouter(Context{}, "/admin") admin.Error((*Context).ErrorHandlerSecondary) admin.Get("/foo", (*Context).ErrorAction) rw, req := newTestRequest("GET", "/admin/foo") router.ServeHTTP(rw, req) assertResponse(t, rw, "My Secondary Error", 500) }
gocraft/web/error_test.go/0
{ "file_path": "gocraft/web/error_test.go", "repo_id": "gocraft", "token_count": 1832 }
188
package web import ( "strings" "testing" ) func TestShowErrorsMiddleware(t *testing.T) { router := New(Context{}) router.Middleware(ShowErrorsMiddleware) router.Get("/action", (*Context).A) router.Get("/boom", (*Context).ErrorAction) // Success: rw, req := newTestRequest("GET", "/action") router.ServeHTTP(rw, req) assertResponse(t, rw, "context-A", 200) // Boom: rw, req = newTestRequest("GET", "/boom") router.ServeHTTP(rw, req) if rw.Code != 500 { t.Errorf("Expected status code 500 but got %d", rw.Code) } body := strings.TrimSpace(string(rw.Body.Bytes())) if !strings.HasPrefix(body, "<html>") { t.Errorf("Expected an HTML page but got '%s'", body) } }
gocraft/web/show_errors_middleware_test.go/0
{ "file_path": "gocraft/web/show_errors_middleware_test.go", "repo_id": "gocraft", "token_count": 275 }
189
#!/bin/sh . "$(dirname "$0")/_/husky.sh" npx lint-staged
modernweb-dev/web/.husky/pre-commit/0
{ "file_path": "modernweb-dev/web/.husky/pre-commit", "repo_id": "modernweb-dev", "token_count": 31 }
190
const cache = require('@11ty/eleventy-cache-assets'); const url = `https://opencollective.com/modern-web/members/all.json`; module.exports = async function getSupporters() { const supportersRaw = await cache(url, { duration: '1d', type: 'json', }); const supporters = supportersRaw .filter( supporter => supporter.role === 'BACKER' && (!supporter.tier || !supporter.tier.includes('Sponsor')) && supporter.isActive, ) .map(supporter => ({ image: supporter.image || '/_merged_assets/logo.svg', name: supporter.name, href: supporter.website || supporter.profile, })); return supporters; }; module.exports();
modernweb-dev/web/docs/_data/supporters.js/0
{ "file_path": "modernweb-dev/web/docs/_data/supporters.js", "repo_id": "modernweb-dev", "token_count": 259 }
191
# Building >> Rollup Plugin Import Meta Assets ||30 Rollup plugin that detects assets references relative to modules using patterns such as `new URL('./assets/my-img.png', import.meta.url)`. The referenced assets are added to the rollup pipeline, allowing them to be transformed and hash the filenames. ## How it works A common pattern is to import an asset to get the URL of it after bundling: ```js import myImg from './assets/my-img.png'; ``` This doesn't work in the browser without transformation. This plugin makes it possible to use an identical pattern using `import.meta.url` which does work in the browser: ```js const myImg = new URL('./assets/my-img.png', import.meta.url); ``` ### Dynamic variables You can also use dynamic variables like so: ```js const myImg = new URL(`./assets/${myImg}.png`, import.meta.url); ``` Please consult the [dynamic-import-vars plugin](https://github.com/rollup/plugins/blob/master/packages/dynamic-import-vars) documentation for options and limitations. ## Install Using npm: ``` npm install @web/rollup-plugin-import-meta-assets --save-dev ``` ## Usage Create a rollup.config.js [configuration file](https://www.rollupjs.org/guide/en/#configuration-files) and import the plugin: ```js import { importMetaAssets } from '@web/rollup-plugin-import-meta-assets'; export default { input: 'src/index.js', output: { dir: 'output', format: 'es', }, plugins: [importMetaAssets()], }; ``` Then call `rollup` either via the [CLI](https://www.rollupjs.org/guide/en/#command-line-reference) or the [API](https://www.rollupjs.org/guide/en/#javascript-api). ## Options ### `exclude` Type: `String` | `Array[...String]`<br> Default: `null` A [picomatch pattern](https://github.com/micromatch/picomatch#globbing-features), or array of patterns, which specifies the files in the build the plugin should _ignore_. By default no files are ignored. ### `include` Type: `String` | `Array[...String]`<br> Default: `null` A [picomatch pattern](https://github.com/micromatch/picomatch#globbing-features), or array of patterns, which specifies the files in the build the plugin should operate on. By default all files are targeted. ### `warnOnError` Type: `Boolean`<br> Default: `false` By default, the plugin quits the build process when it encounters an error. If you set this option to true, it will throw a warning instead and leave the code untouched. ### `transform` Type: `Function`<br> Default: `null` By default, referenced assets detected by this plugin are just copied as is to the output directory, according to your configuration. When `transform` is defined, this function will be called for each asset with two parameters, the content of the asset as a [Buffer](https://nodejs.org/api/buffer.html) and the absolute path. This allows you to conditionnaly match on the absolute path and maybe transform the content. When `transform` returns `null`, the asset is skipped from being processed. In this example, we use it to optimize SVG images with [svgo](https://github.com/svg/svgo): ```js import { importMetaAssets } from '@web/rollup-plugin-import-meta-assets'; const svgo = new SVGO({ // See https://github.com/svg/svgo#what-it-can-do plugins: [ /* plugins here */ ], }); export default { input: 'src/index.js', output: { dir: 'output', format: 'es', }, plugins: [ importMetaAssets({ transform: (assetBuffer, assetPath) => { return assetPath.endsWith('.svg') ? svgo.optimize(assetBuffer.toString()).then(({ data }) => data) : assetBuffer; }, }), ], }; ``` ## Examples Source directory: ``` . ├── one │ └── two │ └── the-image.svg ├── └── entrypoint.js ``` With `entrypoint.js` containing this: ```js const imageUrl = new URL('./one/two/the-image.svg', import.meta.url).href; console.log(imageUrl); ``` Output directory: ``` . ├── assets │ └── the-image.svg └── bundle.js ``` With `bundle.js` containing this: ```js const imageUrl = new URL(new URL('asset/the-image.svg', import.meta.url).href, import.meta.url) .href; console.log(imageUrl); ```
modernweb-dev/web/docs/docs/building/rollup-plugin-import-meta-assets.md/0
{ "file_path": "modernweb-dev/web/docs/docs/building/rollup-plugin-import-meta-assets.md", "repo_id": "modernweb-dev", "token_count": 1385 }
192
# Dev Server >> Writing Plugins >> Hooks ||3 ## Hook: serve The serve hook can be used to serve virtual files from the server. The first plugin to respond with a body is used. It can return a Promise. <details> <summary>Read more</summary> Serve an auto generated `index.html`: ```js const indexHTML = generateIndexHTML(); export default { plugins: [ { name: 'my-plugin', serve(context) { if (context.path === '/index.html') { return indexHTML; } }, }, ], }; ``` Serve a virtual module: ```js export default { plugins: [ { name: 'my-plugin', serve(context) { if (context.path === '/messages.js') { return 'export default "Hello world";'; } }, }, ], }; ``` The file extension is used to infer the mime type to respond with. If you are using a non-standard file extension you need to use the `type` property to set it explicitly: ```js export default { plugins: [ { name: 'my-plugin', serve(context) { if (context.path === '/foo.xyz') { return { body: 'console.log("foo bar");', type: 'js' }; } }, }, ], }; ``` </details> &nbsp; ## Hook: resolveMimeType Browsers don't use file extensions to know how to interpret files. Instead, they use [media or MIME type](https://developer.mozilla.org/en-US/docs/Web/HTTP/Basics_of_HTTP/MIME_types) which is set using the `content-type` header. The dev server guesses the MIME type based on the file extension. When serving virtual files with non-standard file extensions, you can set the MIME type in the returned result (see the examples above). If you are transforming code from one format to another, you need to use the `resolveMimeType` hook. <details> <summary>Read more</summary> The returned MIME type can be a file extension, this will be used to set the corresponding default MIME type. For example `js` resolves to `application/javascript` and `css` to `text/css`. ```js export default { plugins: [ { name: 'my-plugin', resolveMimeType(context) { // change all MD files to HTML if (context.path.endsWith('.md')) { return 'html'; } }, }, { name: 'my-plugin', resolveMimeType(context) { // change all CSS files to JS, except for a specific file if (context.path.endsWith('.css') && context.path !== '/global.css') { return 'js'; } }, }, ], }; ``` You can use a mime type shorthand, such as `js` or `css`. Koa will resolve this to the full mimetype. It is also possible to set the full mime type directly: ```js export default { plugins: [ { name: 'my-plugin', resolveMimeType(context) { if (context.response.is('md')) { return 'text/html'; } }, }, ], }; ``` </details> &nbsp; ## Hook: transform The transform hook is called for each file and can be used to change a file's content before it is served to the browser. Multiple plugins can transform a single file. It can return a Promise. This hook is useful for small modifications, such as injecting environment variables, or for compiling files to JS before serving them to the browser. In a web server, the response body is not always a string, but it can be a binary buffer or stream. If the dev server sees that the response is utf-8, it will convert the body to a string for you to make writing transform plugins easier. If you are transforming non-standard file types, you may also need to include a `resolveMimeType` hook. A good example of this is `.ts` files, which in Koa defaults to a streaming video. <details> <summary>Read more</summary> Rewrite the base path of your application for local development: ```js export default { plugins: [ { name: 'my-plugin', transform(context) { if (context.path === '/index.html') { const transformedBody = context.body.replace(/<base href=".*">/, '<base href="/foo/">'); return transformedBody; } }, }, ], }; ``` Inject a script to set global variables during local development: ```js export default { plugins: [ { name: 'my-plugin', transform(context) { if (context.path === '/index.html') { const transformedBody = context.body.replace( '</head>', '<script>window.process = { env: { NODE_ENV: "development" } }</script></head>', ); return transformedBody; } }, }, ], }; ``` Inject environment variables into a JS module: ```js import fs from 'fs'; const packageJson = JSON.parse(fs.readFileSync('package.json', 'utf-8')); export default { plugins: [ { name: 'my-plugin', transform(context) { if (context.path === '/src/environment.js') { return `export const version = '${packageJson.version}';`; } }, }, ], }; ``` Transform markdown to HTML: ```js import { markdownToHTML } from 'markdown-to-html-library'; export default { plugins: [ { name: 'my-plugin', resolveMimeType(context) { // this ensures the browser interprets .md files as .html if (context.path.endsWith('.md')) { return 'html'; } }, async transform(context) { // this will transform all MD files. if you only want to transform certain MD files // you can check context.path if (context.path.endsWith('.md')) { const html = await markdownToHTML(body); return html; } }, }, ], }; ``` Polyfill CSS modules in JS: ```js export default { plugins: [ { name: 'my-plugin', resolveMimeType(context) { if (context.path.endsWith('.css')) { return 'js'; } }, async transform(context) { if (context.path.endsWith('.css')) { const stylesheet = ` const stylesheet = new CSSStyleSheet(); stylesheet.replaceSync(${JSON.stringify(body)}); export default stylesheet; `; return stylesheet; } }, }, ], }; ``` Set custom HTTP headers (e.g. for [COOP/COEP](https://web.dev/coop-coep/), [CSP](https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Content-Security-Policy), etc.): ```js export default { plugins: [ { name: 'my-plugin', transform(context) { if (context.path === '/index.html') { context.set('X-My-Custom-Header', 'hello, world'); } }, }, ], }; ``` </details> &nbsp; ## Hook: resolveImport The `resolveImport` hook is called for each module import. It can be used to resolve module imports before it reaches the browser. When a one plugin returns a resolved, further resolve hooks are not called. <details> <summary>Read more</summary> The dev server already resolves module imports when the `--node-resolve` flag is turned on. You can do the resolving yourself, or overwrite it for some files. The hook receives the import string and should return the string to replace it with. This should be a browser-compatible path, not a file path. ```js export default { plugins: [ { name: 'my-plugin', async resolveImport({ source, context }) { const resolvedImport = fancyResolveLibrary(source); return resolvedImport; }, }, ], }; ``` </details> &nbsp; ## Hook: transformImport The `transformImport` hook is called for each module import. It can be used to transform module imports before they reach the browser. The difference from `resolveImport` is that this hook is always called for all plugins. <details> <summary>Read more</summary> The hook receives the import string and should return the string to replace it with. This should be a browser-compatible path, not a file path. ```js export default { plugins: [ { name: 'my-plugin', async transformImport({ source, context }) { return `${source}?foo=bar; }, }, ], }; ``` </details> &nbsp; ## Hook: serverStart The `serverStart` hook is called when the server starts. It is the ideal location to boot up other servers you will proxy to. It receives the server config, which you can use if plugins need access to general information such as the `rootDir` or `appIndex`. It also receives the HTTP server, Koa app, and `chokidar` file watcher instance. These can be used for more advanced plugins. This hook can be async, and it awaited before actually booting the server and opening the browser. <details> <summary>Read more</summary> Accessing the serverStart parameters: ```js import _glob from 'glob'; import { promisify } from 'util'; const glob = promisify(_glob); function myFancyPlugin() { let rootDir; return { name: 'my-plugin', serverStart({ config, app, server, fileWatcher }) { // take the rootDir to access it later rootDir = config.rootDir; // register a koa middleware directly app.use((context, next) => { console.log(context.path); return next(); }); // register a single file to be watched fileWatcher.add('/README.md'); // register multiple files to be watched const files = await glob('{elements}/**/*.{ts,css,html}', { cwd: process.cwd() }); for (const file of files) { fileWatcher.add(file); } }, }; } export default { plugins: [myFancyPlugin()], }; ``` Boot up another server for proxying in serverStart: ```js import proxy from 'koa-proxies'; export default { plugins: [ { name: 'my-plugin', async serverStart({ app }) { // set up a proxy for certain requests app.use( proxy('/api', { target: 'http://localhost:9001', }), ); // boot up the other server because it is awaited the dev server will also wait for it await startOtherServer({ port: 9001 }); }, }, ], }; ``` </details> &nbsp; ## Hook: serverStop The `serverStop` hook is called when the server stops. You can use this to do cleanup work, such as closing connections <details> <summary>Read more</summary> ```js function myFancyPlugin() { return { name: 'my-plugin', serverStop() { // cleanup }, }; } export default { plugins: [myFancyPlugin()], }; ``` Boot up another server for proxying in serverStart: </details> &nbsp; ## Koa Context The plugin hooks receive the raw Koa `Context` object. This contains information about the server's request and response. Check the [Koa documentation](https://koajs.com/) to learn more about this. To transform specific kinds of files we don't recommend relying on file extensions. Other plugins may be using non-standard file extensions. Instead, you should use the server's MIME type or content-type header. You can check by using the `context.response.is()` function. This is used a lot in the examples above. Because files can be requested with query parameters and hashes, we recommend using `context.path` for reading the path segment of the URL only. If you do need to access search parameters, we recommend using `context.URL.searchParams.get('my-parameter')`.
modernweb-dev/web/docs/docs/dev-server/writing-plugins/hooks.md/0
{ "file_path": "modernweb-dev/web/docs/docs/dev-server/writing-plugins/hooks.md", "repo_id": "modernweb-dev", "token_count": 4073 }
193
# Test Runner >> Browser Launchers >> Sauce Labs ||70 Browser launchers for web test runner to run tests remotely on [Sauce Labs](https://saucelabs.com/). For modern browsers, we recommend using other browser launchers, as they are a lot faster. Sauce Labs is a good option for testing on older browser versions. ## Usage Install the package: ``` npm i --save-dev @web/test-runner-saucelabs ``` Add the browser launcher to your `web-test-runner.confg.mjs`. To set up a local proxy to sauce labs, you first need to create the browser launcher which will share a common connection between all browsers: ```js import { createSauceLabsLauncher } from '@web/test-runner-saucelabs'; const sauceLabsCapabilities = { name: 'my test name', // if you are running tests in a CI, the build id might be available as an // environment variable. this is useful for identifying test runs // this is for example the name for github actions build: `my project ${process.env.GITHUB_REF ?? 'local'} build ${ process.env.GITHUB_RUN_NUMBER ?? '' }`, }; // configure the local Sauce Labs proxy, use the returned function to define the // browsers to test const sauceLabsLauncher = createSauceLabsLauncher( { // your username and key for Sauce Labs, you can get this from your Sauce Labs account // it's recommended to store these as environment variables user: process.env.SAUCE_USERNAME, key: process.env.SAUCE_ACCESS_KEY, // the Sauce Labs datacenter to run your tests on, defaults to 'us-west-1' // region: 'eu-central-1', }, sauceLabsCapabilities, ); export default { // how many browsers to run concurrently in Sauce Labs. increasing this significantly // reduces testing time, but your subscription might limit concurrent connections concurrentBrowsers: 2, // amount of test files to execute concurrently in a browser. the default value is based // on amount of available CPUs locally which is irrelevant when testing remotely concurrency: 6, browsers: [ // create a browser launcher per browser you want to test // you can get the browser capabilities from the Sauce Labs website sauceLabsLauncher({ browserName: 'chrome', browserVersion: 'latest', platformName: 'Windows 10', }), sauceLabsLauncher({ browserName: 'safari', browserVersion: '11.1', platformName: 'macOS 10.13', }), sauceLabsLauncher({ browserName: 'internet explorer', browserVersion: '11.0', platformName: 'Windows 7', }), sauceLabsLauncher({ browserName: 'iphone', platform: 'iPhone X Simulator', version: '13.0', }), ], }; ``` ## Configuration ### Setup The `createSauceLabsLauncher` takes three properties: `sauceLabsOptions`, `sauceLabsCapabilities` and `sauceConnectOptions`. These correspond to the configuration of the [Sauce Labs library](https://www.npmjs.com/package/saucelabs). `sauceLabsOptions` are options to instantiate the sauce labs library. The `user` and `key` properties are required for the browser launchers to work. Another common option to set is the `region` property. `sauceLabsCapabilities` are [options](<https://wiki.saucelabs.com/display/DOCS/Test+Configuration+Options#TestConfigurationOptions-GeneralOptions(SeleniumandAppium)>) to annotate your tests, enable and disable Sauce Labs test features etc. `sauceConnectOptions` are options to set up the sauce connect local proxy. You probably don't need to change this. ```js const sauceLabsOptions = { user: process.env.SAUCE_USERNAME, key: process.env.SAUCE_ACCESS_KEY, // region: 'eu-central-1', }; const sauceLabsCapabilities = { name: 'my test name', build: `my project ${process.env.GITHUB_REF ?? 'local'} build ${ process.env.GITHUB_RUN_NUMBER ?? '' }`, recordScreenshots: false, recordVideo: false, }; const sauceConnectOptions = { // logger: msg => console.log(msg), }; const sauceLabsLauncher = createSauceLabsLauncher( sauceLabsOptions, sauceLabsCapabilities, sauceConnectOptions, ); ``` ### Webdriver Capabilities `capabilities` are the webdriver capabilities used to configure the browser to launch in [Sauce Labs](https://webdriver.io/docs/api/saucelabs.html). You can generate most of these on the Sauce Labs website. It is possible to override the Sauce Labs capabilities using a `sauce:options` property. This must contain the `name` and `build` properties to identify the test runs. Note, the following only works for browser supporting W3C Webdriver protocol, but not the legacy JSON Wire Protocol. ```js export default { browsers: [ sauceLabsLauncher({ 'sauce:options': { name: 'my test name', build: `my project ${process.env.GITHUB_REF ?? 'local'} build ${ process.env.GITHUB_RUN_NUMBER ?? '' }`, }, browserName: 'chrome', browserVersion: 'latest', platformName: 'Windows 10', }), ], }; ``` ### JWP Capabilities W3C webdriver capabilities are not yet fully implemented for Sauce Labs simulators. If you need to run the tests on iPhone Simulator, you need to use JWP capabilities. The following steps are required to use JWP capabilities with Sauce Labs launcher: - Use `version` instead of `browserVersion`, - Do not set a `sauce:options` property. ```js export default { browsers: [ sauceLabsLauncher({ browserName: 'iphone', platform: 'iPhone X Simulator', version: '13.0', }), ], }; ```
modernweb-dev/web/docs/docs/test-runner/browser-launchers/saucelabs.md/0
{ "file_path": "modernweb-dev/web/docs/docs/test-runner/browser-launchers/saucelabs.md", "repo_id": "modernweb-dev", "token_count": 1729 }
194
# Test Runner >> Test Frameworks >> Mocha ||10 Test framework implementation of [Mocha](https://mochajs.org/). ## Writing JS tests Mocha relies on global variables, in any JS test file `describe` and `it` are available globally and can be used directly: ```js describe('my test', () => { it('foo is bar', () => { if ('foo' !== 'bar') { throw new Error('foo does not equal bar'); } }); }); ``` ## Writing HTML tests If you're writing tests as HTML, you can import this library to run tests with mocha: ```html <html> <body> <script type="module"> import { mocha, sessionFinished, sessionFailed } from '@web/test-runner-mocha'; try { // setup mocha mocha.setup({ ui: 'bdd' }); // write your tests inline describe('HTML tests', () => { it('works', () => { expect('foo').to.equal('foo'); }); }); // or import your test file await import('./my-test.js'); // run the tests, and notify the test runner after finishing mocha.run(() => { sessionFinished(); }); } catch (error) { console.error(error); // notify the test runner about errors sessionFailed(error); } </script> </body> </html> ``` ## Configuring mocha options You can configure mocha options using the `testFramework.config` option in your `web-test-runner.config.js`: ```js module.exports = { testFramework: { config: { ui: 'bdd', timeout: '2000', }, }, }; ```
modernweb-dev/web/docs/docs/test-runner/test-frameworks/mocha.md/0
{ "file_path": "modernweb-dev/web/docs/docs/test-runner/test-frameworks/mocha.md", "repo_id": "modernweb-dev", "token_count": 637 }
195
# Dev Server >> TypeScript and JSX ||50 ## JSX To use JSX in Web Dev Server and Web Test Runner we recommend the [esbuild plugin](../../docs/dev-server/plugins/esbuild.md). It's great for transforming JSX to JS on the fly. To use the plugin, install it, and add the plugin to your configuration. The `jsx: true` option will process all `.jsx` files automatically. ```js import { esbuildPlugin } from '@web/dev-server-esbuild'; export default { plugins: [ esbuildPlugin({ jsx: true, // optional JSX factory and fragment jsxFactory: 'h', jsxFragment: 'Fragment', }), ], }; ``` If you want to process JSX in `.js` files you can configure the loader explicitly: ```js import { esbuildPlugin } from '@web/dev-server-esbuild'; export default { plugins: [ esbuildPlugin({ loaders: { '.js': 'jsx' }, // optional JSX factory and fragment jsxFactory: 'h', jsxFragment: 'Fragment', }), ], }; ``` ## Typescript ### TSC To use Typescript we recommend the official typescript compiler (TSC). It is the most predictable when it comes to compiling typescript. To use both TSC and Web Dev Server or Web Test Runner in the same terminal, you can use the `--preserveWatchOutput` option to avoid both tools clearing the terminal on change. To run both commands on a unix system: ``` tsc --watch --preserveWatchOutput & web-dev-server --watch tsc --watch --preserveWatchOutput & web-test-runner --watch ``` You can use [concurrently](https://www.npmjs.com/package/concurrently) for a cross-platform solution. For Web Test Runner, you need to use the `--raw` flag to allow interacting with the watch menu. ``` concurrently --raw "tsc --watch --preserveWatchOutput" "wds --watch" concurrently --raw "tsc --watch --preserveWatchOutput" "wtr --watch" ``` Remember to use source maps for easier debugging. ### Esbuild As an alternative to TSC, the [esbuild plugin](../../docs/dev-server/plugins/esbuild.md) can be used to compile typescript on the fly as well. The benefit of this approach is that it is faster, and you don't need to run two separate tools. The downside is that esbuild doesn't do any type checking, it only strips types. To use the plugin, install it and add the plugin to your configuration. The `ts: true` option handles all `.ts` files automatically. ```js import { esbuildPlugin } from '@web/dev-server-esbuild'; export default { plugins: [esbuildPlugin({ ts: true })], }; ``` To keep type checking as part of your workflow, you can use TSC as a code linting tool using the `--noEmit` flag. ``` tsc --noEmit ``` ## JS Syntax The esbuild [JS loader](https://esbuild.github.io/content-types/#javascript) has options available for modern JS syntax not yet available in all browsers, or only in the latest versions. You can configure the language target using the `target` option. See the [browser support guide](./browser-support.md) on how to set this up. ## Learn more All the code is available on [github](https://github.com/modernweb-dev/example-projects/tree/master/guides/dev-server). See the [documentation of @web/dev-server](../../docs/dev-server/overview.md).
modernweb-dev/web/docs/guides/dev-server/typescript-and-jsx.md/0
{ "file_path": "modernweb-dev/web/docs/guides/dev-server/typescript-and-jsx.md", "repo_id": "modernweb-dev", "token_count": 980 }
196
# Test Runner >> Testing TypeScript || 70 If you write your source files in TypeScript, you can test directly from sources without compiling using `tsc`. Add `esbuildPlugin({ ts: true })` to your `web-test-runner.config.js` file. This uses esbuild to [transform TS sources on-the-fly](https://esbuild.github.io/api/#transform-api). [There are some caveats to using esbuild with TypeScript](https://esbuild.github.io/content-types/#typescript-caveats). For example, if you use TypeScript paths to alias imports, you may need to build first. ```js import { esbuildPlugin } from '@web/dev-server-esbuild'; export default { files: ['src/**/*.test.ts', 'src/**/*.spec.ts'], plugins: [esbuildPlugin({ ts: true })], }; ``` Keep in mind that esbuild merely removes TypeScript syntax and transforms decorators, etc; It does not provide any type checking, and it's [not intended to](https://esbuild.github.io/faq/#upcoming-roadmap). If you'd like to run `tsc` in parallel, you can use `concurrently` or `npm-run-all` <figure> ```bash concurrently --kill-others --names tsc,wtr \"npm run tsc:watch\" \"wtr --watch\" ``` <figcaption> Example: Using `concurrently` to typecheck and test simultaneously </figcaption> </figure> Read more about the esbuild plugin in the [docs](../../docs/dev-server/plugins/esbuild.md)
modernweb-dev/web/docs/guides/test-runner/typescript.md/0
{ "file_path": "modernweb-dev/web/docs/guides/test-runner/typescript.md", "repo_id": "modernweb-dev", "token_count": 412 }
197
import { expect } from '../../../../../node_modules/@esm-bundle/chai/esm/chai.js'; describe('basic test', () => { it('works', () => { expect(window.__group__).to.equal('b'); }); });
modernweb-dev/web/integration/test-runner/tests/config-groups/browser-tests/test-runner-html-b.test.js/0
{ "file_path": "modernweb-dev/web/integration/test-runner/tests/config-groups/browser-tests/test-runner-html-b.test.js", "repo_id": "modernweb-dev", "token_count": 75 }
198
it('works', async () => { await new Promise(r => setTimeout(r, 100)); });
modernweb-dev/web/integration/test-runner/tests/many/browser-tests/e.test.js/0
{ "file_path": "modernweb-dev/web/integration/test-runner/tests/many/browser-tests/e.test.js", "repo_id": "modernweb-dev", "token_count": 26 }
199