text
stringlengths
1
2.83M
id
stringlengths
16
152
metadata
dict
__index_level_0__
int64
0
949
============= Web Refresher ============= .. !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! This file is generated by oca-gen-addon-readme !! !! changes will be overwritten. !! !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! source digest: sha256:4ef545bbf655053c91d43dc4f35993c3a7e5cbe1c0989e5ca8a6d25bab77851b !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! .. |badge1| image:: https://img.shields.io/badge/maturity-Beta-yellow.png :target: https://odoo-community.org/page/development-status :alt: Beta .. |badge2| image:: https://img.shields.io/badge/licence-AGPL--3-blue.png :target: http://www.gnu.org/licenses/agpl-3.0-standalone.html :alt: License: AGPL-3 .. |badge3| image:: https://img.shields.io/badge/github-OCA%2Fweb-lightgray.png?logo=github :target: https://github.com/OCA/web/tree/16.0/web_refresher :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_refresher :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| Adds a button next to the pager (in trees/kanban views) to refresh the displayed list. .. image:: https://raw.githubusercontent.com/OCA/web/16.0/web_refresher/static/description/refresh.png **Table of contents** .. contents:: :local: Bug Tracker =========== Bugs are tracked on `GitHub Issues <https://github.com/OCA/web/issues>`_. In case of trouble, please check there if your issue has already been reported. If you spotted it first, help us to smash it by providing a detailed and welcomed `feedback <https://github.com/OCA/web/issues/new?body=module:%20web_refresher%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 ~~~~~~~ * Compassion Switzerland * Tecnativa Contributors ~~~~~~~~~~~~ * Samuel Fringeli * `Tecnativa <https://www.tecnativa.com>`__: * João Marques * Alexandre D. Díaz * Carlos Roca * Thanakrit Pintana * `Factorlibre <https://www.factorlibre.com>`__: * Hugo Santos Maintainers ~~~~~~~~~~~ This module is maintained by the OCA. .. image:: https://odoo-community.org/logo.png :alt: Odoo Community Association :target: https://odoo-community.org OCA, or the Odoo Community Association, is a nonprofit organization whose mission is to support the collaborative development of Odoo features and promote its widespread use. This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_refresher>`_ project on GitHub. You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
OCA/web/web_refresher/README.rst/0
{ "file_path": "OCA/web/web_refresher/README.rst", "repo_id": "OCA", "token_count": 1105 }
83
/** @odoo-module **/ /* Copyright 2022 Tecnativa - Carlos Roca * License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl). */ import {Pager} from "@web/core/pager/pager"; import {Refresher} from "./refresher.esm"; Pager.components = Object.assign({}, Pager.components, { Refresher, });
OCA/web/web_refresher/static/src/js/pager.esm.js/0
{ "file_path": "OCA/web/web_refresher/static/src/js/pager.esm.js", "repo_id": "OCA", "token_count": 112 }
84
/** @odoo-module **/ import {ListRenderer} from "@web/views/list/list_renderer"; import {browser} from "@web/core/browser/browser"; import {patch} from "web.utils"; patch(ListRenderer.prototype, "web_remember_tree_column_width.ListRenderer", { /** * @override */ computeColumnWidthsFromContent() { const columnWidths = this._super.apply(this, arguments); const table = this.tableRef.el; const thElements = [...table.querySelectorAll("thead th")]; thElements.forEach((el, elIndex) => { const fieldName = $(el).data("name"); if ( !el.classList.contains("o_list_button") && this.props.list.resModel && fieldName && browser.localStorage ) { const storedWidth = browser.localStorage.getItem( `odoo.columnWidth.${this.props.list.resModel}.${fieldName}` ); if (storedWidth) { columnWidths[elIndex] = parseInt(storedWidth, 10); } } }); return columnWidths; }, /** * @override */ onStartResize(ev) { this._super.apply(this, arguments); const resizeStoppingEvents = ["keydown", "mousedown", "mouseup"]; const $th = $(ev.target.closest("th")); if (!$th || !$th.is("th")) { return; } const saveWidth = (saveWidthEv) => { if (saveWidthEv.type === "mousedown" && saveWidthEv.which === 1) { return; } ev.preventDefault(); ev.stopPropagation(); const fieldName = $th.length ? $th.data("name") : undefined; if (this.props.list.resModel && fieldName && browser.localStorage) { browser.localStorage.setItem( "odoo.columnWidth." + this.props.list.resModel + "." + fieldName, parseInt(($th[0].style.width || "0").replace("px", ""), 10) || 0 ); } for (const eventType of resizeStoppingEvents) { browser.removeEventListener(eventType, saveWidth); } document.activeElement.blur(); }; for (const eventType of resizeStoppingEvents) { browser.addEventListener(eventType, saveWidth); } }, });
OCA/web/web_remember_tree_column_width/static/src/js/list_renderer.esm.js/0
{ "file_path": "OCA/web/web_remember_tree_column_width/static/src/js/list_renderer.esm.js", "repo_id": "OCA", "token_count": 1190 }
85
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_responsive # msgid "" msgstr "" "Project-Id-Version: Odoo Server 12.0\n" "Report-Msgid-Bugs-To: \n" "PO-Revision-Date: 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_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 "Descartar" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/components/control_panel/control_panel.xml:0 #: code:addons/web_responsive/static/src/components/search_panel/search_panel.xml:0 #, python-format msgid "FILTER" msgstr "" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/components/apps_menu/apps_menu.xml:0 #, python-format msgid "Home Menu" msgstr "" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/components/chatter_topbar/chatter_topbar.xml:0 #, python-format msgid "Log note" msgstr "" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/components/attachment_viewer/attachment_viewer.xml:0 #, python-format msgid "Maximize" msgstr "" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/components/attachment_viewer/attachment_viewer.xml:0 #, python-format msgid "Minimize" msgstr "" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/legacy/xml/form_buttons.xml:0 #, python-format msgid "New" msgstr "" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/components/control_panel/control_panel.xml:0 #: code:addons/web_responsive/static/src/components/search_panel/search_panel.xml:0 #, python-format msgid "SEE RESULT" msgstr "" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/legacy/xml/form_buttons.xml:0 #, python-format msgid "Save" msgstr "Gravar" #. module: web_responsive #. odoo-javascript #: code:addons/web_responsive/static/src/components/apps_menu/apps_menu.xml:0 #, python-format msgid "Search menus..." msgstr "Procurar 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 "Criar" #~ msgid "Chatter Position" #~ msgstr "Posição do Chatter" #, python-format #~ msgid "Edit" #~ msgstr "Editar" #~ msgid "Normal" #~ msgstr "Normal" #, python-format #~ msgid "Quick actions" #~ msgstr "Ações rápidas" #~ msgid "Sided" #~ msgstr "Lateralizado" #~ msgid "Users" #~ msgstr "Utilizadores"
OCA/web/web_responsive/i18n/pt.po/0
{ "file_path": "OCA/web/web_responsive/i18n/pt.po", "repo_id": "OCA", "token_count": 1596 }
86
/* Copyright 2021 ITerra - Sergey Shebanin * License LGPL-3.0 or later (http://www.gnu.org/licenses/lgpl). */ // Shortcut table ui improvement .o_shortcut_table { width: 100%; white-space: nowrap; max-width: 400px; td { padding: 0 20px; } }
OCA/web/web_responsive/static/src/components/hotkey/hotkey.scss/0
{ "file_path": "OCA/web/web_responsive/static/src/components/hotkey/hotkey.scss", "repo_id": "OCA", "token_count": 115 }
87
# Copyright (C) 2023-TODAY Synconics Technologies Pvt. Ltd. (<http://www.synconics.com>). # License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl). from . import models
OCA/web/web_save_discard_button/__init__.py/0
{ "file_path": "OCA/web/web_save_discard_button/__init__.py", "repo_id": "OCA", "token_count": 65 }
88
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_select_all_companies # msgid "" msgstr "" "Project-Id-Version: Odoo Server 16.0\n" "Report-Msgid-Bugs-To: \n" "PO-Revision-Date: 2023-10-08 23:01+0000\n" "Last-Translator: Ivorra78 <informatica@totmaterial.es>\n" "Language-Team: none\n" "Language: es\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: \n" "Plural-Forms: nplurals=2; plural=n != 1;\n" "X-Generator: Weblate 4.17\n" #. module: web_select_all_companies #. odoo-javascript #: code:addons/web_select_all_companies/static/src/xml/switch_all_company_menu.xml:0 #, python-format msgid "All Companies" msgstr "Todas las compañías" #. module: web_select_all_companies #. odoo-javascript #: code:addons/web_select_all_companies/static/src/xml/switch_all_company_menu.xml:0 #, python-format msgid "Select All Companies" msgstr "Seleccionar todas las compañías"
OCA/web/web_select_all_companies/i18n/es.po/0
{ "file_path": "OCA/web/web_select_all_companies/i18n/es.po", "repo_id": "OCA", "token_count": 394 }
89
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_send_message_popup # msgid "" msgstr "" "Project-Id-Version: Odoo Server 16.0\n" "Report-Msgid-Bugs-To: \n" "PO-Revision-Date: 2024-03-05 14:40+0000\n" "Last-Translator: mymage <stefano.consolaro@mymage.it>\n" "Language-Team: none\n" "Language: it\n" "MIME-Version: 1.0\n" "Content-Type: text/plain; charset=UTF-8\n" "Content-Transfer-Encoding: \n" "Plural-Forms: nplurals=2; plural=n != 1;\n" "X-Generator: Weblate 4.17\n" #. module: web_send_message_popup #. odoo-javascript #: code:addons/web_send_message_popup/static/src/models/chatter/chatter.esm.js:0 #, python-format msgid "Compose Email" msgstr "Componi e-mail"
OCA/web/web_send_message_popup/i18n/it.po/0
{ "file_path": "OCA/web/web_send_message_popup/i18n/it.po", "repo_id": "OCA", "token_count": 303 }
90
============ Web timeline ============ .. !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! This file is generated by oca-gen-addon-readme !! !! changes will be overwritten. !! !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! source digest: sha256:83336483b07a21cb0d427e4961bc70735ff1f8d7200f4faf488c3b509e683d6c !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! .. |badge1| image:: https://img.shields.io/badge/maturity-Production%2FStable-green.png :target: https://odoo-community.org/page/development-status :alt: Production/Stable .. |badge2| image:: https://img.shields.io/badge/licence-AGPL--3-blue.png :target: http://www.gnu.org/licenses/agpl-3.0-standalone.html :alt: License: AGPL-3 .. |badge3| image:: https://img.shields.io/badge/github-OCA%2Fweb-lightgray.png?logo=github :target: https://github.com/OCA/web/tree/16.0/web_timeline :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_timeline :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| Define a new view displaying events in an interactive visualization chart. The widget is based on the external library https://visjs.github.io/vis-timeline/examples/timeline **Table of contents** .. contents:: :local: Configuration ============= You need to define a view with the tag <timeline> as base element. These are the possible attributes for the tag: +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | Attribute | Required? | Description | +====================+===========+===========================================================================================================================================================================================================================================================================+ | date_start | **Yes** | Defines the name of the field of type date that contains the start of the event. | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | date_stop | No | Defines the name of the field of type date that contains the end of the event. The date_stop can be equal to the attribute date_start to display events has 'point' on the Timeline (instantaneous event). | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | date_delay | No | Defines the name of the field of type float/integer that contain the duration in hours of the event, default = 1. | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | default_group_by | **Yes** | Defines the name of the field that will be taken as default group by when accessing the view or when no other group by is selected. | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | zoomKey | No | Specifies whether the Timeline is only zoomed when an additional key is down. Available values are '' (does not apply), 'altKey', 'ctrlKey', or 'metaKey'. Set this option if you want to be able to use the scroll to navigate vertically on views with a lot of events. | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | mode | No | Specifies the initial visible window. Available values are: 'day' to display the current day, 'week', 'month' and 'fit'. Default value is 'fit' to adjust the visible window such that it fits all items. | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | margin | No | Specifies the margins around the items. It should respect the JSON format. For example '{"item":{"horizontal":-10}}'. Available values are: '{"axis":<number>}' (The minimal margin in pixels between items and the time axis) | | | | '{"item":<number>}' (The minimal margin in pixels between items in both horizontal and vertical direction), '{"item":{"horizontal":<number>}}' (The minimal horizontal margin in pixels between items), | | | | '{"item":{"vertical":<number>}}' (The minimal vertical margin in pixels between items), '{"item":{"horizontal":<number>,"vertical":<number>}}' (Combination between horizontal and vertical margins in pixels between items). | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | event_open_popup | No | When set to true, it allows to edit the events in a popup. If not (default value), the record is edited changing to form view. | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | stack | No | When set to false, items will not be stacked on top of each other such that they do overlap. | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | colors | No | Allows to set certain specific colors if the expressed condition (JS syntax) is met. | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ | dependency_arrow | No | Set this attribute to a x2many field to draw arrows between the records referenced in the x2many field. | +--------------------+-----------+---------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------------+ Optionally you can declare a custom template, which will be used to render the timeline items. You have to name the template 'timeline-item'. These are the variables available in template rendering: * ``record``: to access the fields values selected in the timeline definition. * ``field_utils``: used to format and parse values (see available functions in ``web.field_utils``). You also need to declare the view in an action window of the involved model. Example: .. code-block:: xml <?xml version="1.0" encoding="utf-8"?> <odoo> <record id="view_task_timeline" model="ir.ui.view"> <field name="model">project.task</field> <field name="type">timeline</field> <field name="arch" type="xml"> <timeline date_start="date_assign" date_stop="date_end" string="Tasks" default_group_by="project_id" event_open_popup="true" colors="white: user_ids == []; #2ecb71: kanban_state == 'done'; #ec7063: kanban_state == 'blocked'" dependency_arrow="depend_on_ids" > <field name="user_ids" /> <field name="planned_hours" /> <templates> <t t-name="timeline-item"> <div class="o_project_timeline_item"> <t t-foreach="record.user_ids" t-as="user"> <img t-if="record.user_ids" t-attf-src="/web/image/res.users/#{user}/image_128/16x16" t-att-title="record.user" width="16" height="16" class="mr8" alt="User" /> </t> <span name="display_name"> <t t-esc="record.display_name" /> </span> <small name="planned_hours" class="text-info ml4" t-if="record.planned_hours" > <t t-esc="field_utils.format.float_time(record.planned_hours)" /> </small> </div> </t> </templates> </timeline> </field> </record> <record id="project.action_view_task" model="ir.actions.act_window"> <field name="view_mode" >kanban,tree,form,calendar,timeline,pivot,graph,activity</field> </record> </odoo> Usage ===== For accessing the timeline view, you have to click on the button with the clock icon in the view switcher. The first time you access to it, the timeline window is zoomed to fit all the current elements, the same as when you perform a search, filter or group by operation. You can use the mouse scroll to zoom in or out in the timeline, and click on any free area and drag for panning the view in that direction. The records of your model will be shown as rectangles whose widths are the duration of the event according our definition. You can select them clicking on this rectangle. You can also use Ctrl or Shift keys for adding discrete or range selections. Selected records are hightlighted with a different color (but the difference will be more noticeable depending on the background color). Once selected, you can drag and move the selected records across the timeline. When a record is selected, a red cross button appears on the upper left corner that allows to remove that record. This doesn't work for multiple records although they were selected. Records are grouped in different blocks depending on the group by criteria selected (if none is specified, then the default group by is applied). Dragging a record from one block to another change the corresponding field to the value that represents the block. You can also click on the group name to edit the involved record directly. Double-click on the record to edit it. Double-click in open area to create a new record with the group and start date linked to the area you clicked in. By holding the Ctrl key and dragging left to right, you can create a new record with the dragged start and end date. Known issues / Roadmap ====================== * Implement a more efficient way of refreshing timeline after a record update; * Make `attrs` attribute work; * Make action attributes work (create, edit, delete) like in form and tree views. * When grouping by m2m and more than one record is set, the timeline item appears only on one group. Allow showing in both groups. * When grouping by m2m and dragging for changing the time or the group, the changes on the group will not be set, because it could make disappear the records not related with the changes that we want to make. When the item is showed in all groups change the value according the group of the dragged item. 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_timeline%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 ~~~~~~~ * ACSONE SA/NV * Tecnativa * Monk Software * Onestein * Trobz Contributors ~~~~~~~~~~~~ * Laurent Mignon <laurent.mignon@acsone.eu> * Adrien Peiffer <adrien.peiffer@acsone.eu> * Leonardo Donelli <donelli@webmonks.it> * Adrien Didenot <adrien.didenot@horanet.com> * Thong Nguyen Van <thongnv@trobz.com> * Murtaza Mithaiwala <mmithaiwala@opensourceintegrators.com> * Ammar Officewala <aofficewala@opensourceintegrators.com> * `Tecnativa <https://www.tecnativa.com>`_: * Pedro M. Baeza * Alexandre Díaz * César A. Sánchez * `Onestein <https://www.onestein.nl>`_: * Dennis Sluijk <d.sluijk@onestein.nl> * Anjeel Haria 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-tarteo| image:: https://github.com/tarteo.png?size=40px :target: https://github.com/tarteo :alt: tarteo Current `maintainer <https://odoo-community.org/page/maintainer-role>`__: |maintainer-tarteo| This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_timeline>`_ project on GitHub. You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
OCA/web/web_timeline/README.rst/0
{ "file_path": "OCA/web/web_timeline/README.rst", "repo_id": "OCA", "token_count": 6488 }
91
# Copyright 2016 ACSONE SA/NV (<http://acsone.eu>) # License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html). from . import ir_ui_view
OCA/web/web_timeline/models/__init__.py/0
{ "file_path": "OCA/web/web_timeline/models/__init__.py", "repo_id": "OCA", "token_count": 55 }
92
$vis-weekend-background-color: #dcdcdc; $vis-item-content-padding: 0 3px !important; .oe_timeline_view .vis-timeline { .vis-grid { &.vis-saturday, &.vis-sunday { background: $vis-weekend-background-color; } } .vis-item { &.vis-box:hover { cursor: pointer !important; } &.vis-item-overflow { overflow: visible; } .vis-item-content { width: 100%; padding: $vis-item-content-padding; } } } .oe_timeline_view_canvas { pointer-events: none; position: absolute; top: 0; left: 0; width: 100%; height: 100%; }
OCA/web/web_timeline/static/src/scss/web_timeline.scss/0
{ "file_path": "OCA/web/web_timeline/static/src/scss/web_timeline.scss", "repo_id": "OCA", "token_count": 354 }
93
=========================== Tree View Duplicate Records =========================== .. !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! This file is generated by oca-gen-addon-readme !! !! changes will be overwritten. !! !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! !! source digest: sha256:4e6cac4471f1720f1c5e6b794e4602b3e33064931326bd488fddca1b6fb2795a !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! .. |badge1| image:: https://img.shields.io/badge/maturity-Beta-yellow.png :target: https://odoo-community.org/page/development-status :alt: Beta .. |badge2| image:: https://img.shields.io/badge/licence-AGPL--3-blue.png :target: http://www.gnu.org/licenses/agpl-3.0-standalone.html :alt: License: AGPL-3 .. |badge3| image:: https://img.shields.io/badge/github-OCA%2Fweb-lightgray.png?logo=github :target: https://github.com/OCA/web/tree/16.0/web_tree_duplicate :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_tree_duplicate :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| With this module you can duplicate records directly from the tree view. **Table of contents** .. contents:: :local: Configuration ============= The duplicate option is enabled by default. To disable it you have to add attribute `duplicate` to the tree view. Set `duplicate` to `false` to enable it or `true` to (explicitly) disable it. Example: .. code-block:: xml <?xml version="1.0" encoding="UTF-8" ?> <odoo> <record id="view_users_tree" model="ir.ui.view"> <field name="model">res.users</field> <field name="inherit_id" ref="base.view_users_tree"/> <field name="arch" type="xml"> <xpath expr="//tree" position="attributes"> <attribute name="duplicate">false</attribute> </xpath> </field> </record> </odoo> Usage ===== To use this module, you need to: #. Go to any tree view #. select some records #. open the sidebar menu and click 'Duplicate' Note that even when selecting all records via the top checkbox on a list, this will only duplicate the currently visible items. If you really need to duplicate all records, you need to adjust the list view limit accordingly. .. image:: https://raw.githubusercontent.com/web_tree_duplicate/static/description/screenshot-duplicate.png 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_tree_duplicate%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 ~~~~~~~ * Hunki Enterprises BV * Onestein Contributors ~~~~~~~~~~~~ * Dennis Sluijk <d.sluijk@onestein.nl> * Holger Brunn <mail@hunki-enterprises.com> (https://hunki-enterprises.com) Maintainers ~~~~~~~~~~~ This module is maintained by the OCA. .. image:: https://odoo-community.org/logo.png :alt: Odoo Community Association :target: https://odoo-community.org OCA, or the Odoo Community Association, is a nonprofit organization whose mission is to support the collaborative development of Odoo features and promote its widespread use. .. |maintainer-tarteo| image:: https://github.com/tarteo.png?size=40px :target: https://github.com/tarteo :alt: tarteo Current `maintainer <https://odoo-community.org/page/maintainer-role>`__: |maintainer-tarteo| This module is part of the `OCA/web <https://github.com/OCA/web/tree/16.0/web_tree_duplicate>`_ project on GitHub. You are welcome to contribute. To learn how please visit https://odoo-community.org/page/Contribute.
OCA/web/web_tree_duplicate/README.rst/0
{ "file_path": "OCA/web/web_tree_duplicate/README.rst", "repo_id": "OCA", "token_count": 1580 }
94
To insert a Bokeh chart in a view proceed as follows: Using a Char field ~~~~~~~~~~~~~~~~~~ #. Declare a text computed field like this:: bokeh_chart = fields.Text( string='Bokeh Chart', compute='_compute_bokeh_chart', ) #. At the top of the module add the following imports:: from bokeh.plotting import figure from bokeh.embed import components import json #. In its computed method do:: def _compute_bokeh_chart(self): for rec in self: # Design your bokeh figure: p = figure() line = p.line([0, 2], [1, 8], line_width=5) # (...) # fill the record field with both markup and the script of a chart. script, div = components(p, wrap_script=False) rec.bokeh_chart = json.dumps({"div": div, "script": script}) #. In the view, add something like this wherever you want to display your bokeh chart:: <div> <field name="bokeh_chart" widget="bokeh_chart" nolabel="1"/> </div> Using a Json field ~~~~~~~~~~~~~~~~~~ #. Declare a json computed field like this:: bokeh_chart = fields.Json( string='Bokeh Chart', compute='_compute_bokeh_chart', ) #. At the top of the module add the following imports:: from bokeh.plotting import figure from bokeh.embed import components #. In its computed method do:: def _compute_bokeh_chart(self): for rec in self: # Design your bokeh figure: p = figure() line = p.line([0, 2], [1, 8], line_width=5) # (...) # fill the record field with both markup and the script of a chart. script, div = components(p, wrap_script=False) rec.bokeh_chart = {"div": div, "script": script} #. In the view, add something like this wherever you want to display your bokeh chart:: <div> <field name="bokeh_chart" widget="bokeh_chart_json
OCA/web/web_widget_bokeh_chart/readme/USAGE.rst/0
{ "file_path": "OCA/web/web_widget_bokeh_chart/readme/USAGE.rst", "repo_id": "OCA", "token_count": 806 }
95
* `Tecnativa <https://www.tecnativa.com>`_ * David Vidal * Jairo Llopis * Carlos Roca * Darshan Patel <darshan.barcelona@gmail.com> * Helly kapatel <helly.kapatel@initos.com> * Carlos Lopez <celm1990@gmail.com>
OCA/web/web_widget_domain_editor_dialog/readme/CONTRIBUTORS.rst/0
{ "file_path": "OCA/web/web_widget_domain_editor_dialog/readme/CONTRIBUTORS.rst", "repo_id": "OCA", "token_count": 93 }
96
By default, the module works with all `major browsers <https://github.com/jhuckaby/webcamjs/blob/master/DOCS.md#browser-support>`_. An important note for **Chrome 47+** users - this module only works with websites delivered over SSL / HTTPS. Visit this for `more info <https://github.com/jhuckaby/webcamjs/blob/master/DOCS.md#important-note-for-chrome-47>`_. But, If you still want this module to work with websites without SSL / HTTPS. Here is the steps to do it easily (Always run in Adobe Flash fallback mode, but it is not desirable). Set the configuration parameter ``web_widget_image_webcam.flash_fallback_mode`` to ``1`` (note that configuration will be applied after browser reload). Its done! Now this module also work with websites without SSL / HTTPS.
OCA/web/web_widget_image_webcam/readme/CONFIGURE.rst/0
{ "file_path": "OCA/web/web_widget_image_webcam/readme/CONFIGURE.rst", "repo_id": "OCA", "token_count": 216 }
97
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_widget_mpld3_chart # 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_mpld3_chart #: model:ir.model,name:web_widget_mpld3_chart.model_abstract_mpld3_parser msgid "Utility to parse ploot figure to json data for widget Mpld3" msgstr ""
OCA/web/web_widget_mpld3_chart/i18n/web_widget_mpld3_chart.pot/0
{ "file_path": "OCA/web/web_widget_mpld3_chart/i18n/web_widget_mpld3_chart.pot", "repo_id": "OCA", "token_count": 221 }
98
# Copyright 2019 GRAP - Quentin DUPONT # Copyright 2020 Tecnativa - Alexandre Díaz # License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html) { "name": "Web Widget Numeric Step", "category": "web", "version": "16.0.1.1.3", "author": "GRAP, Tecnativa, " "Odoo Community Association (OCA)", "license": "AGPL-3", "website": "https://github.com/OCA/web", "depends": ["web"], "assets": { "web.assets_backend": [ "web_widget_numeric_step/static/src/*", ], }, "maintainers": ["rafaelbn", "yajo"], "auto_install": False, "installable": True, }
OCA/web/web_widget_numeric_step/__manifest__.py/0
{ "file_path": "OCA/web/web_widget_numeric_step/__manifest__.py", "repo_id": "OCA", "token_count": 274 }
99
<?xml version="1.0" encoding="UTF-8" ?> <!-- Copyright 2019 GRAP - Quentin DUPONT Copyright 2020 Tecnativa - Alexandre Díaz License AGPL-3.0 or later (http://www.gnu.org/licenses/agpl.html). --> <template> <t t-name="web_widget_numeric_step" owl="1"> <div class="d-flex widget_numeric_step"> <div class="input-group-prepend widget_numeric_step_btn"> <button class="fa fa-minus btn btn-default btn_numeric_step" aria-label="Minus" tabindex="-1" title="Minus" type="button" data-mode="minus" t-att-disabled="props.readonly" t-on-click="_onStepClick" /> </div> <input t-att-id="props.id" t-ref="numpadDecimal" t-att-placeholder="props.placeholder" t-att-type="props.inputType" class="o_input input_numeric_step" inputmode="decimal" t-att-step="props.step" t-on-keydown="_onKeyDown" t-on-wheel="_onWheel" /> <div class="input-group-append widget_numeric_step_btn"> <button class="fa fa-plus btn btn-default btn_numeric_step" aria-label="Plus" tabindex="-1" title="Plus" type="button" data-mode="plus" t-att-disabled="props.readonly" t-on-click="_onStepClick" /> </div> </div> </t> </template>
OCA/web/web_widget_numeric_step/static/src/numeric_step.xml/0
{ "file_path": "OCA/web/web_widget_numeric_step/static/src/numeric_step.xml", "repo_id": "OCA", "token_count": 1032 }
100
This addon introduces a new widget. When added to a field in a tree view, the field appears as a button which opens the record in a new tab. When clicking on the line (but not on the button), the record is opened in the same window (as in native Odoo).
OCA/web/web_widget_open_tab/readme/DESCRIPTION.rst/0
{ "file_path": "OCA/web/web_widget_open_tab/readme/DESCRIPTION.rst", "repo_id": "OCA", "token_count": 62 }
101
# Translation of Odoo Server. # This file contains the translation of the following modules: # * web_widget_x2many_2d_matrix # # Translators: # Rudolf Schnapka <rs@techno-flex.de>, 2016 msgid "" msgstr "" "Project-Id-Version: web (8.0)\n" "Report-Msgid-Bugs-To: \n" "POT-Creation-Date: 2016-01-10 07:31+0000\n" "PO-Revision-Date: 2023-06-20 11:09+0000\n" "Last-Translator: Nils Coenen <nils.coenen@nico-solutions.de>\n" "Language-Team: German (http://www.transifex.com/oca/OCA-web-8-0/language/" "de/)\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.17\n" #. module: web_widget_x2many_2d_matrix #. odoo-javascript #: code:addons/web_widget_x2many_2d_matrix/static/src/components/x2many_2d_matrix_renderer/x2many_2d_matrix_renderer.xml:0 #, python-format msgid "Nothing to display." msgstr "Nichts zu zeigen." #, python-format #~ msgid "Sorry no matrix data to display." #~ msgstr "Leider keine Matrixdaten zur Anzeige." #, python-format #~ msgid "Sum" #~ msgstr "Summe" #, python-format #~ msgid "Sum Total" #~ msgstr "Gesamtsumme"
OCA/web/web_widget_x2many_2d_matrix/i18n/de.po/0
{ "file_path": "OCA/web/web_widget_x2many_2d_matrix/i18n/de.po", "repo_id": "OCA", "token_count": 508 }
102
12.0.1.0.1 (2018-12-07) ~~~~~~~~~~~~~~~~~~~~~~~ * [FIX] Cells are unable to render property. (`#1126 <https://github.com/OCA/web/issues/1126>`_) 12.0.1.0.0 (2018-11-20) ~~~~~~~~~~~~~~~~~~~~~~~ * [12.0][MIG] web_widget_x2many_2d_matrix (`#1101 <https://github.com/OCA/web/issues/1101>`_)
OCA/web/web_widget_x2many_2d_matrix/readme/HISTORY.rst/0
{ "file_path": "OCA/web/web_widget_x2many_2d_matrix/readme/HISTORY.rst", "repo_id": "OCA", "token_count": 136 }
103
@import "vars"; nav { font-size: $nav-font-size; z-index: 99; color: white; &#expanded-nav { display: none; &.shown { display: block; } &>ul { display: block; } } a { text-decoration: none; } a, i { color: white; } &>ul { width: 100%; display: -webkit-box; display: -moz-box; display: box; -webkit-box-orient: horizontal; -moz-box-orient: horizontal; box-orient: horizontal; $nav-horiz-margin: 10px; &>li { margin: 0 $nav-horiz-margin; line-height: $nav-height; &#logo { margin-right: 40px; text-transform: uppercase; img { margin-right: 6px; width: $nav-font-size; // height will be the same } } i { margin-left: 10px; } &#quicknav-container { position: relative; -webkit-box-flex: 1; -moz-box-flex: 1; box-flex: 1; #quicknav { padding-left: 0; padding-right: 0; background-color: $gray2; color: white; font-weight: normal; &:focus { width: 100%; -webkit-transition: width 0.5s; -moz-transition: width 0.5s; transition: width 0.5s; outline: none; background-color: $gray3; } &:not(:focus) { width: 50%; @include iphone-landscape-and-smaller { width: 100%; } -webkit-transition: width 0.5s; -moz-transition: width 0.5s; transition: width 0.5s; } } ul#search-suggestions { position: absolute; top: $nav-height; left: 0; border: 1px solid rgba(black, 0.5); box-shadow: 0 2px 2px rgba(black, 0.5); background-color: white; color: black; margin: 0; padding: 0; line-height: 12px; @include iphone-landscape-and-smaller { display: none; } &>li { color: $gray3; background-color: white; margin: 0; padding: 10px; &.hint { color: $gray4; font-weight: bold; em { font-weight: normal; } } a { color: $gray3; } span.newline { color: $gray4; font-weight: bold; float: right; padding-left: 10px; } } } } // large-screen dropdown nav menu @include ipad-and-larger { &.with-dropdown { position: relative; &>ul { display: none; position: absolute; top: $nav-height + 1px; // shift down one so the border doesn't overlap the navbar left: -$nav-horiz-margin; // line it up with the nav item border-bottom: 3px solid white; border-left: 3px solid white; border-right: 3px solid white; z-index: 99; &.shown { display: block; width: 300px; } li { background-color: #212121; padding: 10px; border-bottom: 1px solid $gray2; overflow: hidden; text-overflow: ellipsis; line-height: normal; margin: 0; &.divider { height: 2px; padding: 0; margin: 0; } } } } } } } // small-screen dropdown nav menu ul.subnav { display: none; &.shown { display: block; } &>li { list-style-type: none; } } }
SquareSquash/web/app/assets/stylesheets/_navbar.scss/0
{ "file_path": "SquareSquash/web/app/assets/stylesheets/_navbar.scss", "repo_id": "SquareSquash", "token_count": 2065 }
104
# 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} {Watch watched} by the current # {User}. class Account::BugsController < ApplicationController # Number of Bugs to return per page. PER_PAGE = 50 respond_to :json # Powers a table of a User's watched or assigned Bugs; returns a paginating # list of 50 Bugs, chosen according to the query parameters. # # Routes # ------ # # * `GET /account/bugs.json` # # Query Parameters # ---------------- # # | | | # |:-------|:----------------------------------------------------------------------------------------------------------------------------------------------------------------| # | `type` | If `watched`, returns Bugs the User is watching. Otherwise, returns Bugs the User is assigned to. | # | `last` | The ID (`type` is `watched`) or number (`type` is not `watched`) of the last Bug of the previous page; used to determine the start of the next page (optional). | def index if params[:type].try!(:downcase) == 'watched' watches = current_user.watches.order('created_at DESC').includes(bug: [{environment: :project}, :assigned_user]).limit(PER_PAGE) last = params[:last].present? ? current_user.watches.joins(:bug).where(bug_id: params[:last]).first : nil watches = watches.where(infinite_scroll_clause('created_at', 'DESC', last, 'watches.bug_id')) if last @bugs = watches.map(&:bug) else @bugs = current_user.assigned_bugs.order('latest_occurrence DESC, bugs.number DESC').limit(PER_PAGE).includes(:assigned_user, environment: :project) last = params[:last].present? ? current_user.assigned_bugs.find_by_number(params[:last]) : nil @bugs = @bugs.where(infinite_scroll_clause('latest_occurrence', 'DESC', last, 'bugs.number')) if last end respond_with decorate(@bugs) end private def decorate(bugs) bugs.map do |bug| bug.as_json(only: [:number, :class_name, :message_template, :file, :line, :occurrences_count, :comments_count, :latest_occurrence]).merge( id: bug.id, #TODO don't send the ID up to the view href: project_environment_bug_url(bug.environment.project, bug.environment, bug), project: bug.environment.project.as_json, environment: bug.environment.as_json, assigned_user: bug.assigned_user.as_json, watch_url: watch_project_environment_bug_url(bug.environment.project, bug.environment, bug, format: 'json') ) end end end
SquareSquash/web/app/controllers/account/bugs_controller.rb/0
{ "file_path": "SquareSquash/web/app/controllers/account/bugs_controller.rb", "repo_id": "SquareSquash", "token_count": 1273 }
105
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # Controller for working with a {Bug}'s {Event Events}. # # Common # ====== # # Path Parameters # --------------- # # | | | # |:-----------------|:-------------------------| # | `project_id` | The {Project}'s slug. | # | `environment_id` | The {Environment} name. | # | `bug_id` | The Bug number (not ID). | class EventsController < ApplicationController include EventDecoration before_filter :find_project before_filter :find_environment before_filter :find_bug respond_to :json # Returns a infinitely scrollable list of Events. # # Routes # ------ # # * `GET /projects/:project_id/environments/:environment_id/bugs/:bug_id/events.json` # # Query Parameters # ---------------- # # | | | # |:-------|:------------------------------------------------------------------------------------------------------------| # | `last` | The number of the last Event of the previous page; used to determine the start of the next page (optional). | def index @events = @bug.events.order('created_at DESC').limit(50).includes({user: :emails}, bug: {environment: {project: :slugs}}) last = params[:last].present? ? @bug.events.find_by_id(params[:last]) : nil @events = @events.where(infinite_scroll_clause('created_at', 'DESC', last, 'events.id')) if last Event.preload @events respond_with @project, @environment, @bug, (request.format == :json ? decorate(@events) : @events) end end
SquareSquash/web/app/controllers/events_controller.rb/0
{ "file_path": "SquareSquash/web/app/controllers/events_controller.rb", "repo_id": "SquareSquash", "token_count": 793 }
106
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # Sends notifications of {Bug} events, such as new Bugs and critical Bugs. See # the `mailer.yml` Configoro file for mail-related configuration options. class NotificationMailer < ActionMailer::Base helper :mail, :application default from: Squash::Configuration.mailer.from default_url_options.merge! Squash::Configuration.mailer.default_url_options.symbolize_keys # Creates a message addressed to the {Project}'s `all_mailing_list` informing # of a new Bug. # # @param [Bug] bug The Bug that was just added. # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def initial(bug) @bug = bug recipient = bug.environment.project.all_mailing_list return nil unless should_send?(bug, recipient) mail to: recipient, from: project_sender(bug), subject: I18n.t('mailers.notifier.initial.subject', locale: bug.environment.project.locale, class: bug.class_name, filename: File.basename(bug.file), project: bug.environment.project.name, environment: bug.environment.name) end # Creates a message addressed to the engineer at fault for a bug informing him # of the new Bug. # # @param [Bug] bug The Bug that was just added. # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def blame(bug) @bug = bug emails = bug.blamed_email return nil unless should_send?(bug, emails) mail to: emails, from: project_sender(bug), subject: I18n.t('mailers.notifier.blame.subject', locale: bug.environment.project.locale, class: bug.class_name, filename: File.basename(bug.file), project: bug.environment.project.name, environment: bug.environment.name) #TODO should be in an observer of some kind bug.events.create!(kind: 'email', data: {recipients: Array.wrap(emails)}) end # Creates a message addressed to the assigned engineer (or the at-fault # engineer if no one is assigned) for a Bug informing him that the Bug has # been reopened. # # @param [Bug] bug The Bug that was reopened. # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def reopened(bug) @bug = bug emails = bug.assigned_user.try!(:email) || bug.blamed_email return nil unless should_send?(bug, emails) mail to: emails, from: project_sender(bug), subject: I18n.t('mailers.notifier.reopened.subject', locale: bug.environment.project.locale, class: bug.class_name, filename: File.basename(bug.file), project: bug.environment.project.name, environment: bug.environment.name) end # Creates a message addressed to the {Project}'s `critical_mailing_list` # informing of a Bug that has reached a critical number of # {Occurrence Occurrences}. # # @param [Bug] bug The Bug that has "gone critical." # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def critical(bug) @bug = bug recipient = bug.environment.project.critical_mailing_list return nil unless should_send?(bug, recipient) mail to: recipient, from: project_sender(bug), subject: I18n.t('mailers.notifier.critical.subject', locale: bug.environment.project.locale, class: bug.class_name, filename: File.basename(bug.file), project: bug.environment.project.name, environment: bug.environment.name) #TODO should be in an observer of some kind bug.events.create!(kind: 'email', data: {recipients: [recipient]}) end # Creates a message addressed to the Bug's assigned User, informing them that # the Bug has been assigned to them. # # @param [Bug] bug The Bug that was assigned. # @param [User] assigner The User that assigned the Bug. # @param [User] assignee The User to whom the Bug was assigned. # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def assign(bug, assigner, assignee) @bug = bug @assigner = assigner return nil unless should_send?(bug, assignee) return nil unless Membership.for(assignee, bug.environment.project_id).first.send_assignment_emails? mail to: assignee.email, from: project_sender(bug), subject: I18n.t('mailers.notifier.assign.subject', locale: bug.environment.project.locale, number: bug.number, project: bug.environment.project.name) end # Creates a message addressed to the Bug's assigned User, informing them that # someone else has resolved or marked as irrelevant the Bug that they were # assigned to. # # @param [Bug] bug The Bug that was resolved or marked irrelevant. # @param [User] resolver The User that modified the Bug (who wasn't assigned # to it). # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def resolved(bug, resolver) return nil unless should_send?(bug, bug.assigned_user) return nil unless Membership.for(bug.assigned_user_id, bug.environment.project_id).first.send_resolution_emails? @bug = bug @resolver = resolver subject = if bug.fixed? I18n.t('mailers.notifier.resolved.subject.fixed', locale: bug.environment.project.locale, number: bug.number, project: bug.environment.project.name) else I18n.t('mailers.notifier.resolved.subject.irrelevant', locale: bug.environment.project.locale, number: bug.number, project: bug.environment.project.name) end mail to: bug.assigned_user.email, from: project_sender(bug), subject: subject end # Creates a message notifying a User of a new Comment on a Bug. # # @param [Comment] comment The Comment that was added. # @param [User] recipient The User to notify. # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def comment(comment, recipient) return nil unless should_send?(comment.bug, recipient) return nil unless Membership.for(recipient, comment.bug.environment.project_id).first.send_comment_emails? @comment = comment @bug = comment.bug mail to: recipient.email, from: project_sender(comment.bug), subject: t('mailers.notifier.comment.subject', locale: comment.bug.environment.project.locale, number: comment.bug.number, project: comment.bug.environment.project.name) end # Creates a message notifying a User of a new Occurrence of a Bug. # # @param [Occurrence] occ The new Occurrence. # @param [User] recipient The User to notify. # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def occurrence(occ, recipient) return nil unless should_send?(occ.bug, recipient) @occurrence = occ @bug = occ.bug mail to: recipient.email, from: project_sender(occ.bug), subject: I18n.t('mailers.notifier.occurrence.subject', locale: occ.bug.environment.project.locale, number: occ.bug.number, project: occ.bug.environment.project.name) end # Creates a message notifying a User that a NotificationThreshold they set has # been tripped. # # @param [Bug] bug The Bug being monitored. # @param [User] recipient The User to notify. # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def threshold(bug, recipient) return nil unless should_send?(bug, recipient) @bug = bug mail to: recipient.email, from: project_sender(bug), subject: I18n.t('mailers.notifier.threshold.subject', locale: bug.environment.project.locale, number: bug.number, project: bug.environment.project.name) end # Creates a message notifying a User that a Bug's resolution commit was # deployed. # # @param [Bug] bug The Bug whose fix was deployed. # @param [User] recipient The User to notify. # @return [Mail::Message, nil] The email to deliver, or `nil` if no email # should be delivered. def deploy(bug, recipient) return nil unless should_send?(bug, recipient) @bug = bug mail to: recipient.email, from: project_sender(bug), subject: I18n.t('mailers.notifier.deploy.subject', locale: bug.environment.project.locale, number: bug.number, project: bug.environment.project.name) end private def project_sender(bug) bug.environment.project.sender || self.class.default[:from] end def should_send?(bug, recipient) return false if recipient.blank? return false if !bug.environment.sends_emails? return true end end
SquareSquash/web/app/mailers/notification_mailer.rb/0
{ "file_path": "SquareSquash/web/app/mailers/notification_mailer.rb", "repo_id": "SquareSquash", "token_count": 4231 }
107
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # This observer on the {Bug} model... # # 1. creates the "open", "assign", "close", "deploy", and "reopen" # {Event Events} as necessary. # 2. sends a notification and blame email when a Bug first occurs. class BugObserver < ActiveRecord::Observer # @private def after_create(bug) create_open_event bug end # @private def after_commit_on_create(bug) send_create_emails bug.reload # load triggered changes end # @private def after_update(bug) create_assign_event bug create_close_event bug create_deploy_event bug create_reopen_event bug create_dupe_event bug watch_if_reassigned bug end # @private def after_commit_on_update(bug) send_update_emails bug notify_pagerduty bug end private def create_open_event(bug) Event.create! bug: bug, kind: 'open' end def create_assign_event(bug) if bug.assigned_user_id_changed? Event.create! bug: bug, kind: 'assign', user: (bug.modifier if bug.modifier.kind_of?(User)), data: {'assignee_id' => bug.assigned_user_id} end end def create_dupe_event(bug) if bug.duplicate_of_id_changed? && bug.duplicate_of_id Event.create! bug: bug, kind: 'dupe', user: (bug.modifier if bug.modifier.kind_of?(User)) end end def create_close_event(bug) modifier_data = if bug.modifier.kind_of?(User) {user: bug.modifier} elsif defined?(JIRA::Resource::Issue) && bug.modifier.kind_of?(JIRA::Resource::Issue) {data: {'issue' => bug.modifier.key}} else {} end if bug.fixed? && !bug.fixed_was Event.create! modifier_data.deep_merge(bug: bug, kind: 'close', data: {'status' => 'fixed', 'revision' => bug.resolution_revision}) elsif bug.irrelevant? && !bug.irrelevant_was && !bug.fixed? Event.create! modifier_data.deep_merge(bug: bug, kind: 'close', data: {'status' => 'irrelevant', 'revision' => bug.resolution_revision}) end end def create_deploy_event(bug) if bug.fixed? && bug.fix_deployed? && !bug.fix_deployed_was Event.create! bug: bug, kind: 'deploy', data: {'revision' => bug.fixing_deploy.try!(:revision)} end end def create_reopen_event(bug) attrs = {bug: bug, kind: 'reopen', data: {}} attrs[:user] = bug.modifier if bug.modifier.kind_of?(User) attrs[:data]['occurrence_id'] = bug.modifier.id if bug.modifier.kind_of?(Occurrence) if !bug.fixed? && bug.fixed_was && !bug.irrelevant? attrs[:data]['from'] = 'fixed' Event.create! attrs Squash::Ruby.fail_silently do NotificationMailer.reopened(bug).deliver_now unless bug.modifier.kind_of?(User) end elsif !bug.fixed? && !bug.irrelevant? && bug.irrelevant_was attrs[:data]['from'] = 'irrelevant' Event.create! attrs end end def send_create_emails(bug) Squash::Ruby.fail_silently do NotificationMailer.initial(bug).deliver_now NotificationMailer.blame(bug).deliver_now if bug.blamed_commit end end def send_update_emails(bug) if bug.previous_changes['fix_deployed'] == [false, true] BackgroundRunner.run DeployNotificationMailer, bug.id end end def watch_if_reassigned(bug) if bug.assigned_user_id_changed? && bug.assigned_user bug.assigned_user.watches.where(bug_id: bug.id).find_or_create end end def notify_pagerduty(bug) return unless bug.environment.notifies_pagerduty? return unless bug.environment.project.pagerduty au = bug.previous_changes['assigned_user_id'] || [] ir = bug.previous_changes['irrelevant'] || [] res = bug.previous_changes['fixed'] || [] if (!au.first && au.last) || (!ir.first && ir.last) || (!res.first && res.last) BackgroundRunner.run PagerDutyAcknowledger, bug.id end res = bug.previous_changes['fix_deployed'] || [] if !res.first && res.last BackgroundRunner.run PagerDutyResolver, bug.id end end end
SquareSquash/web/app/models/observers/bug_observer.rb/0
{ "file_path": "SquareSquash/web/app/models/observers/bug_observer.rb", "repo_id": "SquareSquash", "token_count": 1840 }
108
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # Adds methods for creating Bootstrap accordions to your Erector widget. module Accordion # Creates a new accordion. Yields an {AccordionBuilder} that allows you to add # items to the accordion. # # @param [String] id The unique ID of the DOM element to create. # @param [Hash<Symbol, String>] options Additional attributes to apply to the # DIV tag. # @yield [builder] A block in which to build accordion items. # @yieldparam [AccordionBuilder] builder The object that builds the accordion # items. def accordion(id, options={}) options[:class] = "#{options[:class]} accordion" div(options.merge(id: id)) { yield AccordionBuilder.new(id, self) } end end # Proxy object that adds accordion items to an accordion. class AccordionBuilder # @private def initialize(id, receiver) @id = id @receiver = receiver end # Creates a collapsible accordion item. # # @param [String] id The unique ID of the DOM element to create. # @param [String] title The text of the item's title bar. # @param [true, false] visible Whether or not this accordion item is visible # initially. # @yield The markup to place into the accordion item's body. def accordion_item(id, title, visible=false, &block) @receiver.div(id: id, class: "accordion-pair #{visible ? 'shown' : nil}") do @receiver.h5 { @receiver.a title, rel: 'accordion', href: "##{id}" } @receiver.div({style: (visible ? nil : 'display: none')}, &block) end end end
SquareSquash/web/app/views/additions/accordion.rb/0
{ "file_path": "SquareSquash/web/app/views/additions/accordion.rb", "repo_id": "SquareSquash", "token_count": 673 }
109
An exception on <%= @bug.environment.project.name %> has reopened this bug, which was previously marked as fixed and deployed: <%= project_environment_bug_url @bug.environment.project, @bug.environment, @bug %> Project: <%= @bug.environment.project.name %> Environment: <%= @bug.environment.name %> Revision: <%= @bug.revision %> Fix Commit: <%= @bug.resolution_revision %> <%= @bug.class_name %> <% if @bug.special_file? %> in <%= @bug.file %> <% else %> in <%= @bug.file %>:<%= @bug.line %> <% end %> <%= @bug.message_template %> You should revisit the bug and make sure that it was actually fixed. If an additional fix is required, update the fix commit under the Management page. Yours truly, Squash
SquareSquash/web/app/views/notification_mailer/reopened.text.erb/0
{ "file_path": "SquareSquash/web/app/views/notification_mailer/reopened.text.erb", "repo_id": "SquareSquash", "token_count": 275 }
110
#!/usr/bin/env ruby ENV['BUNDLE_GEMFILE'] ||= File.expand_path('../../Gemfile', __FILE__) load Gem.bin_path('bundler', 'bundle')
SquareSquash/web/bin/bundle/0
{ "file_path": "SquareSquash/web/bin/bundle", "repo_id": "SquareSquash", "token_count": 57 }
111
--- disabled: true authentication: strategy: token token: YOUR_AUTH_TOKEN api_url: "https://events.pagerduty.com/generic/2010-04-15/create_event.json"
SquareSquash/web/config/environments/common/pagerduty.yml/0
{ "file_path": "SquareSquash/web/config/environments/common/pagerduty.yml", "repo_id": "SquareSquash", "token_count": 56 }
112
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. #HACK Because the config/initializers load before rspec/rails, we need to delay # loading this file until after RSpec has been configured. Thus, we require it # a second time in spec_helper, and make sure it only executes then. if !defined?(RSpec) || # we're running in a non-test environment, OR (RSpec.respond_to?(:configuration) && # we're not running a console in test and RSpec.configuration.respond_to?(:use_transactional_fixtures)) # the rspec/rails gem has loaded # Adds `after_commit_on_create`, `after_commit_on_update`, # `after_commit_on_save`, and `after_commit_on_destroy` hooks to # `ActiveRecord::Observer`. These hooks are run as `after_save` hooks in test # if `use_transactional_fixtures` is enabled. class ActiveRecord::Base if defined?(RSpec) && RSpec.configuration.use_transactional_fixtures puts "Attaching after_commit_on_* hooks to after_save" after_create do |obj| obj.send :notify_observers, :after_commit_on_create end after_update do |obj| #HACK after_commit(on: :update) would be executed after #changes had # been moved to #previous_changes ... so we have to simulate that here # for a consistent test environment obj.instance_variable_set :@previously_changed, obj.changes obj.send :notify_observers, :after_commit_on_update end after_save do |obj| obj.instance_variable_set :@previously_changed, obj.changes #HACK see previous obj.send :notify_observers, :after_commit_on_save end after_destroy do |obj| obj.send :notify_observers, :after_commit_on_destroy end else puts "Attaching after_commit_on_* hooks to after_commit" after_commit(on: :create) do |obj| obj.send :notify_observers, :after_commit_on_create end after_commit(on: :update) do |obj| obj.send :notify_observers, :after_commit_on_update end after_commit(if: :persisted?) do |obj| obj.send :notify_observers, :after_commit_on_save end after_commit(on: :destroy) do |obj| obj.send :notify_observers, :after_commit_on_destroy end end end end
SquareSquash/web/config/initializers/active_record_observer_hooks.rb/0
{ "file_path": "SquareSquash/web/config/initializers/active_record_observer_hooks.rb", "repo_id": "SquareSquash", "token_count": 1091 }
113
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # Be sure to restart your server when you modify this file. # Your secret key is used for verifying the integrity of signed cookies. # If you change this key, all old signed cookies will become invalid! # Make sure the secret is at least 30 characters and all random, # no regular words or you'll be exposed to dictionary attacks. # You can use `rake secret` to generate a secure secret key. # Make sure your secret_key_base is kept private # if you're sharing your code publicly. Squash::Application.config.secret_key_base = '_SECRET_'
SquareSquash/web/config/initializers/secret_token.rb/0
{ "file_path": "SquareSquash/web/config/initializers/secret_token.rb", "repo_id": "SquareSquash", "token_count": 313 }
114
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. class FixConditionOnRuleOccurrencesSetLatest < ActiveRecord::Migration def up execute <<-SQL CREATE OR REPLACE RULE occurrences_set_latest AS ON INSERT TO occurrences DO UPDATE bugs SET latest_occurrence = NEW.occurred_at WHERE (bugs.id = NEW.bug_id) AND ((bugs.latest_occurrence IS NULL) OR (bugs.latest_occurrence < NEW.occurred_at)) SQL end def down execute <<-SQL CREATE OR REPLACE RULE occurrences_set_latest AS ON INSERT TO occurrences DO UPDATE bugs SET latest_occurrence = NEW.occurred_at WHERE (bugs.id = NEW.bug_id) AND (bugs.latest_occurrence IS NULL) OR (bugs.latest_occurrence < NEW.occurred_at) SQL end end
SquareSquash/web/db/migrate/20130215185809_fix_condition_on_rule_occurrences_set_latest.rb/0
{ "file_path": "SquareSquash/web/db/migrate/20130215185809_fix_condition_on_rule_occurrences_set_latest.rb", "repo_id": "SquareSquash", "token_count": 532 }
115
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. root = exports ? this # @private class root.MemberPanel constructor: (@element, name, @project_id, @users_endpoint, @memberships_endpoint, @membership_endpoint, @project_endpoint, @role, highlight=false) -> highlight_container = @buildFilter() @buildModal name self = this new DynamicSearchField(@filter, (q) -> self.processFilterSearchResults(q)) @processFilterSearchResults '' new DynamicSearchField(@find, (q) -> self.processAddMemberSearchResults(q)) if highlight then highlight_container.effect('highlight', 3000) processFilterSearchResults: (query) -> $.ajax "#{@memberships_endpoint}?query=#{encodeURIComponent(query)}", type: 'GET' success: (results) => @filter_results.find('li').remove() $.each results, (_, membership) => li = $('<li/>').appendTo(@filter_results) h5 = $('<h5/>').text(" (#{membership.user.name})").appendTo(li) $('<strong/>').text(membership.user.username).prependTo h5 p = $('<p/>').text(" — #{if membership.role == 'owner' then 'created' else 'joined'} #{membership.created_string}").appendTo(li) $('<strong/>').text(membership.human_role).prependTo p if @role == 'owner' if membership.role == 'admin' p.append '<br/>' $('<button/>').text("Demote Admin"). addClass('default small').attr('href', '#'). click(=> @changeUser(membership.user.username, 'member', query)).appendTo p $('<button/>').text("Make Owner"). addClass('default small').attr('href', '#'). click(=> @changeUser(membership.user.username, 'owner', query)).appendTo p else if membership.role == 'member' p.append '<br/>' $('<button/>').text("Make Admin"). addClass('default small').attr('href', '#'). click(=> @changeUser(membership.user.username, 'admin', query)).appendTo p if @role != 'member' if membership.role == 'member' $('<button/>').text("Remove"). addClass('warning small').attr('href', '#'). click(=> @changeUser(membership.user.username, 'delete', query)).appendTo p error: => new Flash('alert').text("Error retrieving member search results.") processAddMemberSearchResults: (query) -> $.ajax "#{@users_endpoint}?query=#{encodeURIComponent(query)}&project_id=#{@project_id}", type: 'GET' success: (results) => @find_results.find('li').remove() $.each results, (_, user) => li = $('<li/>').appendTo(@find_results) h5 = $('<h5/>').text(" (#{user.name})").appendTo(li) $('<strong/>').text(user.username).prependTo h5 if user.is_member then $('<p/>').text("(member)").appendTo(li) else p = $('<p/>').appendTo li $('<button/>').text("Add member").addClass('small default').attr('href', '#').click(=> $.ajax @memberships_endpoint, type: 'POST' data: $.param({'membership[user_username]': user.username}) success: => @processAddMemberSearchResults query @processFilterSearchResults @filter.val() error: => new Flash('alert').text("Couldn’t add #{user.username} to #{@name}.") false ).appendTo p error: -> new Flash('alert').text("Couldn’t load search results.") changeUser: (username, new_role, search_query) -> if new_role == 'member' # patch to membership, admin=false $.ajax @membership_endpoint.replace('USERID', username), type: 'PATCH' data: $.param({'membership[admin]': 'false'}) error: => Flash('alert').text("Couldn’t demote #{username} from administrator.") complete: => @processFilterSearchResults(search_query) else if new_role == 'admin' # patch to membership, admin=true $.ajax @membership_endpoint.replace('USERID', username), type: 'PATCH' data: $.param({'membership[admin]': 'true'}) error: => Flash('alert').text("Couldn’t promote #{username} to administrator.") complete: => @processFilterSearchResults(search_query) else if new_role == 'owner' # patch to project, owner_id=123 $.ajax @project_endpoint, type: 'PATCH' data: $.param({'project[owner_username]': username}) error: => Flash('alert').text("Couldn’t assign ownership to #{username}.") success: -> window.location.reload() else if new_role == 'delete' # delete to membership $.ajax @membership_endpoint.replace('USERID', username), type: 'DELETE' error: => Flash('alert').text("Couldn’t remove #{username} from #{@name}.") complete: => @processFilterSearchResults(search_query) false buildFilter: -> div = $('<div/>').addClass('whitewashed').appendTo(@element) @filter = $('<input/>').attr({ type: 'search', placeholder: "Filter by name" }).appendTo(div) @filter_results = $('<ul/>').addClass('results').appendTo(div) p = $('<p/>').appendTo(div) if @role == 'admin' || @role == 'owner' $('<button/>').text("Add member").attr({href: '#add-member'}).leanModal({closeButton: '.close'}).appendTo p div buildModal: (name) -> @modal = $('<div/>').addClass('modal').attr('id', 'add-member').css('display', 'none').appendTo(@element) $('<a/>').text('×').addClass('close').appendTo @modal $('<h1/>').text("Add a member to #{name}").appendTo @modal body = $('<div/>').addClass('modal-body').appendTo(@modal) @find = $('<input/>').attr({ type: 'search', placeholder: "Enter a username" }).appendTo(body) @find_results = $('<ul/>').addClass('results').appendTo(body)
SquareSquash/web/lib/assets/javascripts/member_panel.js.coffee/0
{ "file_path": "SquareSquash/web/lib/assets/javascripts/member_panel.js.coffee", "repo_id": "SquareSquash", "token_count": 2626 }
116
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. module BackgroundRunner # `BackgroundRunner` adapter for the Sidekiq job system. See the # `concurrency.yml` Configoro file for configuration options. # # If you are using Sidekiq, you will need to run `rake sidekiq:configure` as # part of your deploy process in order to generate the `config/sidekiq.yml` # file. To do this in Capistrano, add something like this to your # `config/deploy.rb` file: # # ```` ruby # namespace :sidekiq do # task :configure do # run "cd #{release_path} && rake sidekiq:configure RAILS_ENV=#{rails_env}" # end # end # before 'sidekiq:restart', 'sidekiq:configure' # ```` module Sidekiq def self.setup ::Sidekiq.configure_server do |config| config.redis = Squash::Configuration.concurrency.sidekiq.redis end ::Sidekiq.configure_client do |config| config.redis = Squash::Configuration.concurrency.sidekiq.redis end require 'sidekiq/testing/inline' if Rails.env.test? end def self.run(job_name, *arguments) job_name = job_name.constantize unless job_name.kind_of?(Class) job_name.const_get(:SidekiqAdapter).perform_async *arguments end def self.extend_job(mod) # this could be a subclass whose superclass already included # BackgroundRunner::Job; in that case, to ensure we define a sidekiq # adapter unique to this subclass, we remvoe and redefine the adapter mod.send :remove_const, :SidekiqAdapter rescue nil mod.class_eval <<-RUBY class SidekiqAdapter include ::Sidekiq::Worker options = Squash::Configuration.concurrency.sidekiq.worker_options[#{mod.to_s.inspect}] sidekiq_options(options.symbolize_keys) if options def perform(*args) #{mod.to_s}.perform *args end end RUBY end end end
SquareSquash/web/lib/background_runner/sidekiq.rb/0
{ "file_path": "SquareSquash/web/lib/background_runner/sidekiq.rb", "repo_id": "SquareSquash", "token_count": 915 }
117
# Copyright 2014 Square Inc. # # Licensed under the Apache License, Version 2.0 (the "License"); # you may not use this file except in compliance with the License. # You may obtain a copy of the License at # # http://www.apache.org/licenses/LICENSE-2.0 # # Unless required by applicable law or agreed to in writing, software # distributed under the License is distributed on an "AS IS" BASIS, # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. # See the License for the specific language governing permissions and # limitations under the License. # Notifies PagerDuty of a new Occurrence. This is converted into a PagerDuty # incident. The incident key is shared with other Occurrences of the same Bug. class PagerDutyNotifier include BackgroundRunner::Job # Creates a new instance and sends a PagerDuty notification. # # @param [Fixnum] occurrence_id The ID of a new Occurrence. def self.perform(occurrence_id) new(Occurrence.find(occurrence_id)).perform end # Creates a new worker instance. # # @param [Occurrence] occurrence A new Occurrence. def initialize(occurrence) @occurrence = occurrence end # Sends a PagerDuty API call creating a new incident (if appropriate). def perform if should_notify_pagerduty_of_new_occurrence? || should_notify_pagerduty_when_tripped? @occurrence.bug.environment.project.pagerduty.trigger description, @occurrence.bug.pagerduty_incident_key, details @occurrence.bug.update_attribute :page_last_tripped_at, Time.now end end private def should_notify_pagerduty? @occurrence.bug.environment.notifies_pagerduty? && @occurrence.bug.environment.project.pagerduty_enabled? && @occurrence.bug.environment.project.pagerduty_service_key end def should_notify_pagerduty_of_new_occurrence? should_notify_pagerduty? && !@occurrence.bug.irrelevant? && !@occurrence.bug.assigned_user_id && (@occurrence.bug.occurrences_count > @occurrence.bug.environment.project.critical_threshold || @occurrence.bug.environment.project.always_notify_pagerduty?) end def should_notify_pagerduty_when_tripped? should_notify_pagerduty? && @occurrence.bug.page_threshold_tripped? end def description I18n.t 'workers.pagerduty.incident.description', class_name: @occurrence.bug.class_name, file_name: File.basename(@occurrence.bug.file), line: @occurrence.bug.special_file? ? I18n.t('workers.pagerduty.not_applicable') : @occurrence.bug.line, message: @occurrence.message, locale: @occurrence.bug.environment.project.locale end def details { 'environment' => @occurrence.bug.environment.name, 'revision' => @occurrence.revision, 'hostname' => @occurrence.hostname, 'build' => @occurrence.build } end end
SquareSquash/web/lib/workers/pager_duty_notifier.rb/0
{ "file_path": "SquareSquash/web/lib/workers/pager_duty_notifier.rb", "repo_id": "SquareSquash", "token_count": 1191 }
118
# 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. # Downloads MySQL message templates from the MySQL documentation website. # Requires Nokogiri. require 'nokogiri' require 'open-uri' require 'yaml' yaml_path = File.dirname(__FILE__) + '/../data/message_templates.yml' templates = YAML.load_file(yaml_path) templates['Mysql::Error'] = [] %w( 5.6 5.5 5.1 5.0 ).each do |version| page = Nokogiri::HTML(open("http://dev.mysql.com/doc/refman/#{version}/en/error-messages-server.html")) page.css('div.itemizedlist>ul>li>p').each do |tag| next unless tag.children.all?(&:text?) next unless tag.content.strip =~ /^Message: (.+)$/ message = $1.gsub(/[\s]+/, ' ').strip next unless message =~ /%\w+/ next if message =~ /^%[^\s]+$/ rx = Regexp.escape(message) rx.gsub!('%s', ".*?") rx.gsub!('%d', "-?\\d+") rx.gsub!('%lu', "\\d+") rx.gsub!('%ld', "-?\\d+") rx.gsub!('%u', "\\d+") output = message.gsub('%s', "[STRING]") output.gsub!('%d', "[NUMBER]") output.gsub!('%lu', "[NUMBER]") output.gsub!('%ld', "[NUMBER]") output.gsub!('%u', "[NUMBER]") next if templates['Mysql::Error'].any? { |(other_rx, other_output)| other_output == output } templates['Mysql::Error'] << [Regexp.compile(rx), output] end end templates['Mysql::Error'].sort_by! { |(_, msg)| -msg.length } templates['Mysql2::Error'] = %w( Mysql::Error ) File.open(yaml_path, 'w') { |f| f.puts templates.to_yaml }
SquareSquash/web/script/mysql_message_templates.rb/0
{ "file_path": "SquareSquash/web/script/mysql_message_templates.rb", "repo_id": "SquareSquash", "token_count": 833 }
119
# 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 EventsController, type: :controller do include EventDecoration describe "#index" do before :all do membership = FactoryGirl.create(:membership) @env = FactoryGirl.create(:environment, project: membership.project) @bug = FactoryGirl.create(:bug, environment: @env) kinds = ['open', 'comment', 'assign', 'close', 'reopen'] data = {'status' => 'fixed', 'from' => 'closed', 'revision' => '8f29160c367cc3e73c112e34de0ee48c4c323ff7', 'build' => '10010', 'assignee_id' => FactoryGirl.create(:membership, project: @env.project).user_id, 'occurrence_id' => FactoryGirl.create(:rails_occurrence, bug: @bug).id, 'comment_id' => FactoryGirl.create(:comment, bug: @bug, user: membership.user).id} @events = 100.times.map { |i| FactoryGirl.create :event, bug: @bug, user: (i.even? ? @bug.environment.project.owner : membership.user), kind: kinds.sample, data: data } @user = membership.user end it "should require a logged-in user" do get :index, polymorphic_params(@bug, 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(@bug, true)' it "should load the 50 most recent events" do get :index, polymorphic_params(@bug, true, format: 'json') expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |e| e['kind'] }).to eql(@events.sort_by(&:created_at).reverse.map(&:kind)[0, 50]) end it "should return the next 50 events when given a last parameter" do @events.sort_by! &:created_at @events.reverse! get :index, polymorphic_params(@bug, true, last: @events[49].id, format: 'json') expect(response.status).to eql(200) expect(JSON.parse(response.body).map { |e| e['kind'] }).to eql(@events.map(&:kind)[50, 50]) end it "should decorate the response" do get :index, polymorphic_params(@bug, true, format: 'json') JSON.parse(response.body).zip(@events.sort_by(&:created_at).reverse).each do |(hsh, event)| expect(hsh['icon']).to include(icon_for_event(event)) expect(hsh['user_url']).to eql(user_url(event.user)) expect(hsh['assignee_url']).to eql(user_url(event.assignee)) expect(hsh['occurrence_url']).to eql(project_environment_bug_occurrence_url(@env.project, @env, @bug, event.occurrence)) expect(hsh['comment_body']).to eql(ApplicationController.new.send(:markdown).(event.comment.body)) expect(hsh['resolution_url']).to eql(@bug.resolution_revision) expect(hsh['assignee_you']).to eql(event.assignee == @user) expect(hsh['user_you']).to eql(@user == event.user) end end it "should add the original bug and URL to the JSON for dupe events" do original = FactoryGirl.create :bug dupe = FactoryGirl.create :bug, environment: original.environment dupe.mark_as_duplicate! original get :index, polymorphic_params(dupe, true, format: 'json') json = JSON.parse(response.body) expect(json.first['kind']).to eql('dupe') expect(json.first['original_url']).to eql(project_environment_bug_url(original.environment.project, original.environment, original)) expect(json.first['original']['number']).to eql(original.number) end end end end
SquareSquash/web/spec/controllers/events_controller_spec.rb/0
{ "file_path": "SquareSquash/web/spec/controllers/events_controller_spec.rb", "repo_id": "SquareSquash", "token_count": 1772 }
120
# 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 Service::PagerDuty do before :each do @pagerduty = Service::PagerDuty.new('abc123') FakeWeb.register_uri :post, Squash::Configuration.pagerduty.api_url, response: File.read(Rails.root.join('spec', 'fixtures', 'pagerduty_response.json')) end [:trigger, :acknowledge, :resolve].each do |method| describe "##{method}" do it "should apply headers to the request" do @pagerduty.send method, 'foobar' auth = case Squash::Configuration.pagerduty.authentication.strategy when 'token' then /^Token token=/ when 'basic' then /^Basic / end expect(FakeWeb.last_request['Authorization']).to match(auth) expect(FakeWeb.last_request['Content-Type']).to eql('application/json') end it "should parse the response" do resp = @pagerduty.send(method, 'abc123') expect(resp.http_status).to eql(200) expect(resp).to be_success expect(resp.attributes).to eql('status' => 'success', 'message' => 'You did it!') expect(resp.status).to eql('success') end it "should use an HTTP proxy if configured" do Squash::Configuration.pagerduty[:http_proxy] = Configoro::Hash.new('host' => 'myhost', 'port' => 123) http = Net::HTTP proxy = Net::HTTP::Proxy(nil, nil, nil, nil) expect(Net::HTTP).to receive(:Proxy).once.with('myhost', 123).and_return(http) allow(Net::HTTP).to receive(:Proxy).and_return(proxy) resp = @pagerduty.send(method, 'abc123') expect(resp.http_status).to eql(200) expect(resp).to be_success expect(resp.attributes).to eql('status' => 'success', 'message' => 'You did it!') expect(resp.status).to eql('success') Squash::Configuration.pagerduty.delete :http_proxy end end end describe "#trigger" do it "should send a trigger event" do @pagerduty.trigger 'foobar' body = JSON.parse(FakeWeb.last_request.body) expect(body['service_key']).to eql('abc123') expect(body['event_type']).to eql('trigger') expect(body['description']).to eql('foobar') end end describe "#acknowledge" do it "should send an acknowledge event" do @pagerduty.acknowledge 'foobar' body = JSON.parse(FakeWeb.last_request.body) expect(body['service_key']).to eql('abc123') expect(body['event_type']).to eql('acknowledge') expect(body['incident_key']).to eql('foobar') end end describe "#resolve" do it "should send a resolve event" do @pagerduty.resolve 'foobar' body = JSON.parse(FakeWeb.last_request.body) expect(body['service_key']).to eql('abc123') expect(body['event_type']).to eql('resolve') expect(body['incident_key']).to eql('foobar') end end end unless Squash::Configuration.pagerduty.disabled?
SquareSquash/web/spec/lib/service/pager_duty_spec.rb/0
{ "file_path": "SquareSquash/web/spec/lib/service/pager_duty_spec.rb", "repo_id": "SquareSquash", "token_count": 1420 }
121
# 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 Occurrence, type: :model do context "[database rules]" do it "should set number sequentially for a given bug" do bug1 = FactoryGirl.create(:bug) bug2 = FactoryGirl.create(:bug) occurrence1_1 = FactoryGirl.create(:rails_occurrence, bug: bug1) occurrence1_2 = FactoryGirl.create(:rails_occurrence, bug: bug1) occurrence2_1 = FactoryGirl.create(:rails_occurrence, bug: bug2) occurrence2_2 = FactoryGirl.create(:rails_occurrence, bug: bug2) expect(occurrence1_1.number).to eql(1) expect(occurrence1_2.number).to eql(2) expect(occurrence2_1.number).to eql(1) expect(occurrence2_2.number).to eql(2) end it "should not reuse deleted numbers" do #bug = FactoryGirl.create(:bug) #FactoryGirl.create :rails_occurrence, bug: bug #FactoryGirl.create(:rails_occurrence, bug: bug).destroy #FactoryGirl.create(:rails_occurrence, bug: bug).number.should eql(3) #TODO get this part of the spec to work (for URL-resource identity integrity) bug = FactoryGirl.create(:bug) FactoryGirl.create :rails_occurrence, bug: bug c = FactoryGirl.create(:rails_occurrence, bug: bug) FactoryGirl.create :rails_occurrence, bug: bug c.destroy expect(FactoryGirl.create(:rails_occurrence, bug: bug).number).to eql(4) end it "should set the parent's first occurrence if necessary" do o = FactoryGirl.create(:rails_occurrence) expect(o.bug.first_occurrence).to eql(o.occurred_at) end end context "[hooks]" do it "should symbolicate after being created" do symbols = Squash::Symbolicator::Symbols.new symbols.add 1, 10, 'foo.rb', 5, 'bar' symb = FactoryGirl.create(:symbolication, symbols: symbols) expect(FactoryGirl.create(:rails_occurrence, symbolication: symb, backtraces: [{"name" => "1", "faulted" => true, "backtrace" => [{"type" => "address", "address" => 5}]}])). to be_symbolicated end it "should send an email if the notification threshold has been tripped" do if RSpec.configuration.use_transactional_fixtures skip "This is done in an after_commit hook, and it can't be tested with transactional fixtures (which are always rolled back)" end occurrence = FactoryGirl.create(:rails_occurrence) nt = FactoryGirl.create(:notification_threshold, bug: occurrence.bug, period: 1.minute, threshold: 3) ActionMailer::Base.deliveries.clear FactoryGirl.create :rails_occurrence, bug: occurrence.bug expect(ActionMailer::Base.deliveries).to be_empty FactoryGirl.create :rails_occurrence, bug: occurrence.bug expect(ActionMailer::Base.deliveries.size).to eql(1) expect(ActionMailer::Base.deliveries.first.to).to eql([nt.user.email]) end it "should update last_tripped_at" do if RSpec.configuration.use_transactional_fixtures skip "This is done in an after_commit hook, and it can't be tested with transactional fixtures (which are always rolled back)" end occurrence = FactoryGirl.create(:rails_occurrence) nt = FactoryGirl.create(:notification_threshold, bug: occurrence.bug, period: 1.minute, threshold: 3) FactoryGirl.create :rails_occurrence, bug: occurrence.bug expect(nt.reload.last_tripped_at).to be_nil FactoryGirl.create :rails_occurrence, bug: occurrence.bug expect(nt.reload.last_tripped_at).to be_within(1).of(Time.now) end context "[PagerDuty integration]" do before :each do FakeWeb.register_uri :post, Squash::Configuration.pagerduty.api_url, response: File.read(Rails.root.join('spec', 'fixtures', 'pagerduty_response.json')) @project = FactoryGirl.create(:project, pagerduty_service_key: 'abc123', critical_threshold: 2, pagerduty_enabled: true) @environment = FactoryGirl.create(:environment, project: @project, notifies_pagerduty: true) @bug = FactoryGirl.create(:bug, environment: @environment) end context "[critical threshold notification]" do it "should not send an incident to PagerDuty until the critical threshold is breached" do expect_any_instance_of(Service::PagerDuty).not_to receive :trigger FactoryGirl.create_list :rails_occurrence, 2, bug: @bug end it "should send an incident if always_notify_pagerduty is set" do @project.update_attribute :always_notify_pagerduty, true expect_any_instance_of(Service::PagerDuty).to receive(:trigger).once.with( /#{Regexp.escape @bug.class_name} in #{Regexp.escape File.basename(@bug.file)}:#{@bug.line}/, @bug.pagerduty_incident_key, an_instance_of(Hash) ) FactoryGirl.create :rails_occurrence, bug: @bug end it "should send an incident to PagerDuty once the critical threshold is breached" do FactoryGirl.create_list :rails_occurrence, 2, bug: @bug expect_any_instance_of(Service::PagerDuty).to receive(:trigger).once.with( /#{Regexp.escape @bug.class_name} in #{Regexp.escape File.basename(@bug.file)}:#{@bug.line}/, @bug.pagerduty_incident_key, an_instance_of(Hash) ) FactoryGirl.create :rails_occurrence, bug: @bug end it "should not send an incident if the project does not have a session key configured" do @project.update_attribute :pagerduty_service_key, nil expect_any_instance_of(Service::PagerDuty).not_to receive :trigger FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not send an incident if incident reporting is disabled" do @project.update_attribute :pagerduty_enabled, false expect_any_instance_of(Service::PagerDuty).not_to receive :trigger FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not send an incident if the environment has incident reporting disabled" do @environment.update_attribute :notifies_pagerduty, nil expect_any_instance_of(Service::PagerDuty).not_to receive :trigger FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not send an incident if the bug is assigned" do @bug.update_attribute :assigned_user, FactoryGirl.create(:membership, project: @project).user expect_any_instance_of(Service::PagerDuty).not_to receive :trigger FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not send an incident if the bug is irrelevant" do @bug.update_attribute :irrelevant, true expect_any_instance_of(Service::PagerDuty).not_to receive :trigger FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end end context "[paging threshold notification]" do before :each do @project.update_attribute :critical_threshold, 200 @bug.update_attributes page_threshold: 2, page_period: 1.minute end it "should send an incident to PagerDuty once if the page threshold is breached" do expect_any_instance_of(Service::PagerDuty).to receive(:trigger).once.with( /#{Regexp.escape @bug.class_name} in #{Regexp.escape File.basename(@bug.file)}:#{@bug.line}/, @bug.pagerduty_incident_key, an_instance_of(Hash) ) FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not send an incident to PagerDuty if the page threshold is breached again inside the page period" do @bug.update_attributes page_last_tripped_at: 30.seconds.ago expect_any_instance_of(Service::PagerDuty).not_to receive(:trigger) FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should send an incident to PagerDuty if the page threshold is breached again outside the page period" do @bug.update_attributes page_last_tripped_at: 2.minutes.ago expect_any_instance_of(Service::PagerDuty).to receive(:trigger).once FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not send an incident if the project does not have a session key configured" do @project.update_attribute :pagerduty_service_key, nil expect_any_instance_of(Service::PagerDuty).not_to receive :trigger FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not send an incident if incident reporting is disabled" do @project.update_attribute :pagerduty_enabled, false expect_any_instance_of(Service::PagerDuty).not_to receive :trigger FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not send an incident if the environment has incident reporting disabled" do @environment.update_attribute :notifies_pagerduty, nil expect_any_instance_of(Service::PagerDuty).not_to receive :trigger FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not an incident if the bug is assigned" do @bug.update_attribute :assigned_user, FactoryGirl.create(:membership, project: @project).user expect_any_instance_of(Service::PagerDuty).to receive(:trigger).once FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end it "should not an incident if the bug is irrelevant" do @bug.update_attribute :irrelevant, true expect_any_instance_of(Service::PagerDuty).to receive(:trigger).once FactoryGirl.create_list :rails_occurrence, 3, bug: @bug end end end unless Squash::Configuration.pagerduty.disabled? context "[setting any_occurrence_crashed]" do it "should set any_occurrence_crashed to true if crashed is true" do bug = FactoryGirl.create(:bug) expect { FactoryGirl.create(:rails_occurrence, bug: bug, crashed: true) }.to change { bug.reload.any_occurrence_crashed }.from(false).to(true) end it "should not change any_occurrence_crashed if crashed is false" do bug = FactoryGirl.create(:bug) expect { FactoryGirl.create(:rails_occurrence, bug: bug, crashed: false) }.to_not change { bug.reload.any_occurrence_crashed } end end context "[device bugs]" do it "should create a device bug if the occurrence has a device" do bug = FactoryGirl.create(:bug) occurrence = FactoryGirl.create(:rails_occurrence, bug: bug, device_id: 'hello') expect(occurrence.bug.device_bugs.where(device_id: 'hello')).to exist expect { FactoryGirl.create(:rails_occurrence, bug: bug, device_id: 'hello') }.to_not change { bug.device_bugs.where(device_id: 'hello').count } occurrence = FactoryGirl.create(:rails_occurrence, bug: bug, device_id: 'goodbye') expect(occurrence.bug.device_bugs.where(device_id: 'goodbye')).to exist end end end describe "#faulted_backtrace" do it "should return the at-fault backtrace" do bt1 = [{'file' => 'foo.rb', 'line' => 123, 'symbol' => 'bar'}] bt2 = [{'file' => 'bar.rb', 'line' => 321, 'symbol' => 'foo'}] expect(FactoryGirl.build(:occurrence, backtraces: [{'name' => "1", 'faulted' => false, 'backtrace' => bt1}, {'name' => '2', 'faulted' => true, 'backtrace' => bt2}]). faulted_backtrace).to eql(bt2) end it "should return an empty array if there is no at-fault backtrace" do bt1 = [{'file' => 'foo.rb', 'line' => 123, 'symbol' => 'bar'}] bt2 = [{'file' => 'bar.rb', 'line' => 321, 'symbol' => 'foo'}] expect(FactoryGirl.build(:occurrence, backtraces: [{'name' => "1", 'faulted' => false, 'backtrace' => bt1}, {'name' => '2', 'faulted' => false, 'backtrace' => bt2}]). faulted_backtrace).to eql([]) end end describe "#truncate!" do it "should remove metadata" do o = FactoryGirl.create(:rails_occurrence) old = o.attributes o.truncate! expect(o).to be_truncated expect(o.metadata).to be_nil expect(o.client).to eql(old['client']) expect(o.occurred_at).to eql(old['occurred_at']) expect(o.bug_id).to eql(old['bug_id']) expect(o.number).to eql(old['number']) end end describe ".truncate!" do it "should truncate a group of exceptions" do os = FactoryGirl.create_list :rails_occurrence, 4 another = FactoryGirl.create :rails_occurrence Occurrence.truncate! Occurrence.where(id: os.map(&:id)) expect(os.map(&:reload).all?(&:truncated?)).to eql(true) expect(another.reload).not_to be_truncated end end describe "#redirect_to!" do it "should truncate the occurrence and set the redirect target" do o1 = FactoryGirl.create(:rails_occurrence) o2 = FactoryGirl.create(:rails_occurrence, bug: o1.bug) o1.redirect_to! o2 expect(o1.redirect_target).to eql(o2) expect(o1).to be_truncated expect(o1.bug).not_to be_irrelevant end it "should mark the bug as irrelevant if it's the last occurrence to be redirected" do b1 = FactoryGirl.create(:bug) b2 = FactoryGirl.create(:bug, environment: b1.environment) o1 = FactoryGirl.create(:rails_occurrence, bug: b1) o2 = FactoryGirl.create(:rails_occurrence, bug: b2) o1.redirect_to! o2 expect(o1.redirect_target).to eql(o2) expect(b1.reload).to be_irrelevant end end describe "#symbolicate!" do before(:each) do @occurrence = FactoryGirl.create(:rails_occurrence) # there's a uniqueness constraint on repo URLs, but we need a real repo with real commits @occurrence.bug.environment.project.instance_variable_set :@repo, Project.new { |pp| pp.repository_url = 'https://github.com/RISCfuture/better_caller.git' }.repo @occurrence.bug.update_attribute :deploy, FactoryGirl.create(:deploy, environment: @occurrence.bug.environment) end it "should do nothing if there is no symbolication" do @occurrence.symbolication_id = nil expect { @occurrence.symbolicate! }.not_to change(@occurrence, :backtraces) end it "should do nothing if the occurrence is truncated" do @occurrence.truncate! expect { @occurrence.symbolicate! }.not_to change(@occurrence, :metadata) end it "should do nothing if the occurrence is already symbolicated" do @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "/usr/bin/gist", "line" => 313, "symbol" => "<main>"}, {"file" => "/usr/bin/gist", "line" => 171, "symbol" => "execute"}, {"file" => "/usr/bin/gist", "line" => 197, "symbol" => "write"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 626, "symbol" => "start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 637, "symbol" => "do_start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "connect"}, {"file" => "_RETURN_ADDRESS_", "line" => 87, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 44, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "block in connect"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "open"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "initialize"}]}] expect { @occurrence.symbolicate! }.not_to change(@occurrence, :backtraces) end it "should symbolicate the occurrence" do symbols = Squash::Symbolicator::Symbols.new symbols.add 1, 10, 'foo.rb', 15, 'bar' symbols.add 11, 20, 'foo2.rb', 5, 'bar2' symb = FactoryGirl.create(:symbolication, symbols: symbols) @occurrence.symbolication = symb @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "address", "address" => 1}, {"type" => "address", "address" => 2}, {"type" => "address", "address" => 12}, {"file" => "_RETURN_ADDRESS_", "line" => 10, "symbol" => "timeout"}]}] @occurrence.symbolicate! expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "foo.rb", "line" => 15, "symbol" => "bar"}, {"file" => "foo.rb", "line" => 15, "symbol" => "bar"}, {"file" => "foo2.rb", "line" => 5, "symbol" => "bar2"}, {"file" => "_RETURN_ADDRESS_", "line" => 10, "symbol" => "timeout"}]}]) end it "should use a custom symbolication" do symbols1 = Squash::Symbolicator::Symbols.new symbols1.add 1, 10, 'foo.rb', 15, 'bar' symbols1.add 11, 20, 'foo2.rb', 5, 'bar2' symbols2 = Squash::Symbolicator::Symbols.new symbols2.add 1, 10, 'foo3.rb', 15, 'bar3' symbols2.add 11, 20, 'foo4.rb', 5, 'bar4' symb1 = FactoryGirl.create(:symbolication, symbols: symbols1) symb2 = FactoryGirl.create(:symbolication, symbols: symbols2) @occurrence.symbolication = symb1 @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "address", "address" => 1}, {"type" => "address", "address" => 2}, {"type" => "address", "address" => 12}, {"file" => "_RETURN_ADDRESS_", "line" => 10, "symbol" => "timeout"}]}] @occurrence.symbolicate! symb2 expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "foo3.rb", "line" => 15, "symbol" => "bar3"}, {"file" => "foo3.rb", "line" => 15, "symbol" => "bar3"}, {"file" => "foo4.rb", "line" => 5, "symbol" => "bar4"}, {"file" => "_RETURN_ADDRESS_", "line" => 10, "symbol" => "timeout"}]}]) end end describe "#symbolicated?" do it "should return true if all lines are symbolicated" do expect(FactoryGirl.build(:occurrence, backtraces: [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "/usr/bin/gist", "line" => 313, "symbol" => "<main>"}, {"file" => "/usr/bin/gist", "line" => 171, "symbol" => "execute"}, {"file" => "/usr/bin/gist", "line" => 197, "symbol" => "write"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 626, "symbol" => "start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 637, "symbol" => "do_start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "connect"}, {"file" => "_RETURN_ADDRESS_", "line" => 87, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 44, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "block in connect"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "open"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "initialize"}]}])).to be_symbolicated end it "should return false if any line is unsymbolicated" do expect(FactoryGirl.build(:occurrence, backtraces: [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "/usr/bin/gist", "line" => 313, "symbol" => "<main>"}, {"file" => "/usr/bin/gist", "line" => 171, "symbol" => "execute"}, {"file" => "/usr/bin/gist", "line" => 197, "symbol" => "write"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 626, "symbol" => "start"}, {"type" => "address", "address" => 4632}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "connect"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 87, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 44, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "block in connect"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "open"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "initialize"}]}])).not_to be_symbolicated end end describe "#sourcemap!" do before(:each) do @occurrence = FactoryGirl.create(:rails_occurrence) # there's a uniqueness constraint on repo URLs, but we need a real repo with real commits @occurrence.bug.environment.project.instance_variable_set :@repo, Project.new { |pp| pp.repository_url = 'https://github.com/RISCfuture/better_caller.git' }.repo @occurrence.bug.update_attribute :deploy, FactoryGirl.create(:deploy, environment: @occurrence.bug.environment) end it "should do nothing if there is no source map" do expect { @occurrence.sourcemap! }.not_to change(@occurrence, :backtraces) end it "should do nothing if the occurrence is truncated" do @occurrence.truncate! expect { @occurrence.sourcemap! }.not_to change(@occurrence, :metadata) end it "should do nothing if the occurrence is already sourcemapped" do @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "/usr/bin/gist", "line" => 313, "symbol" => "<main>"}, {"file" => "/usr/bin/gist", "line" => 171, "symbol" => "execute"}, {"file" => "/usr/bin/gist", "line" => 197, "symbol" => "write"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 626, "symbol" => "start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 637, "symbol" => "do_start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "connect"}, {"file" => "_JAVA_", "line" => 87, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 44, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "block in connect"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "open"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "initialize"}]}] expect { @occurrence.sourcemap! }.not_to change(@occurrence, :backtraces) end it "should sourcemap the occurrence" do map = GemSourceMap::Map.new([ GemSourceMap::Mapping.new('app/assets/javascripts/source.js', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(25, 1)), ], 'http://test.host/example/asset.js') FactoryGirl.create :source_map, environment: @occurrence.bug.environment, revision: @occurrence.revision, map: map @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "js:hosted", "url" => "http://test.host/example/asset.js", "line" => 3, "column" => 140, "symbol" => "foo", "context" => nil}]}] @occurrence.sourcemap! expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "app/assets/javascripts/source.js", "line" => 25, "column" => 1}]}]) end it "should apply multiple source maps" do map1 = GemSourceMap::Map.new([ GemSourceMap::Mapping.new('app/assets/javascripts/source.js', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(25, 1)), ], 'http://test.host/example/asset.js') map2 = GemSourceMap::Map.new([ GemSourceMap::Mapping.new('app/assets/javascripts/source.js.coffee', GemSourceMap::Offset.new(25, 1), GemSourceMap::Offset.new(11, 1)), ], 'app/assets/javascripts/source.js') FactoryGirl.create :source_map, environment: @occurrence.bug.environment, revision: @occurrence.revision, map: map1, from: 'hosted', to: 'compiled' FactoryGirl.create :source_map, environment: @occurrence.bug.environment, revision: @occurrence.revision, map: map2, from: 'compiled', to: 'coffee' @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "js:hosted", "url" => "http://test.host/example/asset.js", "line" => 3, "column" => 140, "symbol" => "foo", "context" => nil}]}] @occurrence.sourcemap! expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "app/assets/javascripts/source.js.coffee", "line" => 11, "column" => 1}]}]) end it "should search for sourcemaps in previous revisions if digest_in_asset_names is true" do @occurrence.bug.environment.project.update_attribute :digest_in_asset_names, true map1 = GemSourceMap::Map.new([ GemSourceMap::Mapping.new('app/assets/javascripts/source.js', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(25, 1)), ], 'http://test.host/example/asset.js') map2 = GemSourceMap::Map.new([ GemSourceMap::Mapping.new('app/assets/javascripts/source.js.coffee', GemSourceMap::Offset.new(25, 1), GemSourceMap::Offset.new(11, 1)), ], 'app/assets/javascripts/source.js') FactoryGirl.create :source_map, environment: @occurrence.bug.environment, revision: 'e80f7f4a578a869f54b8ff675220e9d3071ea513', map: map1, from: 'hosted', to: 'compiled' FactoryGirl.create :source_map, environment: @occurrence.bug.environment, revision: @occurrence.revision, map: map2, from: 'compiled', to: 'coffee' @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "js:hosted", "url" => "http://test.host/example/asset.js", "line" => 3, "column" => 140, "symbol" => "foo", "context" => nil}]}] @occurrence.sourcemap! expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "app/assets/javascripts/source.js.coffee", "line" => 11, "column" => 1}]}]) end it "should not search for sourcemaps in previous revisions if digest_in_asset_names is false" do @occurrence.bug.environment.project.update_attribute :digest_in_asset_names, false map1 = GemSourceMap::Map.new([ GemSourceMap::Mapping.new('app/assets/javascripts/source.js', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(25, 1)), ], 'http://test.host/example/asset.js') map2 = GemSourceMap::Map.new([ GemSourceMap::Mapping.new('app/assets/javascripts/source.js.coffee', GemSourceMap::Offset.new(25, 1), GemSourceMap::Offset.new(11, 1)), ], 'app/assets/javascripts/source.js') FactoryGirl.create :source_map, environment: @occurrence.bug.environment, revision: 'e80f7f4a578a869f54b8ff675220e9d3071ea513', map: map1, from: 'hosted', to: 'compiled' FactoryGirl.create :source_map, environment: @occurrence.bug.environment, revision: @occurrence.revision, map: map2, from: 'compiled', to: 'coffee' @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "js:hosted", "url" => "http://test.host/example/asset.js", "line" => 3, "column" => 140, "symbol" => "foo", "context" => nil}]}] @occurrence.sourcemap! expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "js:hosted", "url" => "http://test.host/example/asset.js", "line" => 3, "column" => 140, "symbol" => "foo", "context" => nil}]}]) end it "should use a custom sourcemap" do map1 = GemSourceMap::Map.new([ GemSourceMap::Mapping.new('app/assets/javascripts/source1.js', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(1, 1)), ], 'http://test.host/example/asset.js') map2 = GemSourceMap::Map.new([ GemSourceMap::Mapping.new('app/assets/javascripts/source2.js', GemSourceMap::Offset.new(3, 140), GemSourceMap::Offset.new(2, 2)), ], 'http://test.host/example/asset.js') sm1 = FactoryGirl.create :source_map, environment: @occurrence.bug.environment, revision: @occurrence.revision, map: map1 sm2 = FactoryGirl.create :source_map, map: map2 @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "js:hosted", "url" => "http://test.host/example/asset.js", "line" => 3, "column" => 140, "symbol" => "foo", "context" => nil}]}] @occurrence.sourcemap! sm2 expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "app/assets/javascripts/source2.js", "line" => 2, "column" => 2}]}]) end end describe "#sourcemapped?" do it "should return true if all lines are source-mapped" do expect(FactoryGirl.build(:occurrence, backtraces: [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "/usr/bin/gist", "line" => 313, "symbol" => "<main>"}, {"file" => "/usr/bin/gist", "line" => 171, "symbol" => "execute"}, {"file" => "/usr/bin/gist", "line" => 197, "symbol" => "write"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 626, "symbol" => "start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 637, "symbol" => "do_start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "connect"}, {"file" => "_RETURN_ADDRESS_", "line" => 87, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 44, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "block in connect"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "open"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "initialize"}]}])).to be_sourcemapped end it "should return false if any line is not source-mapped" do expect(FactoryGirl.build(:occurrence, backtraces: [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "/usr/bin/gist", "line" => 313, "symbol" => "<main>"}, {"file" => "/usr/bin/gist", "line" => 171, "symbol" => "execute"}, {"file" => "/usr/bin/gist", "line" => 197, "symbol" => "write"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 626, "symbol" => "start"}, {"type" => "js:hosted", "url" => "http://test.host/my.js", "line" => 20, "column" => 5, "symbol" => "myfunction", "context" => nil}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "connect"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 87, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 44, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "block in connect"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "open"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "initialize"}]}])).not_to be_sourcemapped end end describe "#deobfuscate!" do before(:each) do @occurrence = FactoryGirl.create(:rails_occurrence) # there's a uniqueness constraint on repo URLs, but we need a real repo with real commits @occurrence.bug.environment.project.instance_variable_set :@repo, Project.new { |pp| pp.repository_url = 'https://github.com/RISCfuture/better_caller.git' }.repo @occurrence.bug.update_attribute :deploy, FactoryGirl.create(:deploy, environment: @occurrence.bug.environment) end it "should do nothing if there is no obfuscation map" do expect { @occurrence.deobfuscate! }.not_to change(@occurrence, :backtraces) end it "should do nothing if the occurrence is truncated" do @occurrence.truncate! expect { @occurrence.deobfuscate! }.not_to change(@occurrence, :metadata) end it "should do nothing if the occurrence is already de-obfuscated" do @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "/usr/bin/gist", "line" => 313, "symbol" => "<main>"}, {"file" => "/usr/bin/gist", "line" => 171, "symbol" => "execute"}, {"file" => "/usr/bin/gist", "line" => 197, "symbol" => "write"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 626, "symbol" => "start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 637, "symbol" => "do_start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "connect"}, {"file" => "_JAVA_", "line" => 87, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 44, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "block in connect"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "open"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "initialize"}]}] expect { @occurrence.deobfuscate! }.not_to change(@occurrence, :backtraces) end it "should deobfuscate the occurrence" do namespace = Squash::Java::Namespace.new namespace.add_package_alias 'com.foo', 'A' namespace.add_class_alias('com.foo.Bar', 'B').path = 'src/foo/Bar.java' namespace.add_method_alias 'com.foo.Bar', 'int baz(java.lang.String)', 'a' FactoryGirl.create :obfuscation_map, namespace: namespace, deploy: @occurrence.bug.deploy @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "obfuscated", "file" => "B.java", "line" => 15, "symbol" => "int a(java.lang.String)", "class_name" => "com.A.B"}]}] @occurrence.deobfuscate! expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "src/foo/Bar.java", "line" => 15, "symbol" => "int baz(java.lang.String)"}]}]) end it "should leave un-obfuscated names intact" do namespace = Squash::Java::Namespace.new namespace.add_package_alias 'com.foo', 'A' namespace.add_class_alias('com.foo.Bar', 'B').path = 'src/foo/Bar.java' namespace.add_method_alias 'com.foo.Bar', 'int baz(java.lang.String)', 'a' FactoryGirl.create :obfuscation_map, namespace: namespace, deploy: @occurrence.bug.deploy @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "obfuscated", "file" => "B.java", "line" => 15, "symbol" => "int b(java.lang.String)", "class_name" => "com.A.B"}, {"type" => "obfuscated", "file" => "ActivityThread.java", "line" => 15, "symbol" => "int a(java.lang.String)", "class_name" => "com.squareup.ActivityThread"}]}] @occurrence.deobfuscate! expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "src/foo/Bar.java", "line" => 15, "symbol" => "int b(java.lang.String)"}, {"type" => "obfuscated", "file" => "ActivityThread.java", "line" => 15, "symbol" => "int a(java.lang.String)", "class_name" => "com.squareup.ActivityThread"}]}]) end it "should use a custom obfuscation map" do namespace1 = Squash::Java::Namespace.new namespace1.add_package_alias 'com.foo', 'A' namespace1.add_class_alias('com.foo.BarOne', 'B').path = 'src/foo/BarOne.java' namespace1.add_method_alias 'com.foo.BarOne', 'int baz1(java.lang.String)', 'a' namespace2 = Squash::Java::Namespace.new namespace2.add_package_alias 'com.foo', 'A' namespace2.add_class_alias('com.foo.BarTwo', 'B').path = 'src/foo/BarTwo.java' namespace2.add_method_alias 'com.foo.BarTwo', 'int baz2(java.lang.String)', 'a' om1 = FactoryGirl.create(:obfuscation_map, namespace: namespace1, deploy: @occurrence.bug.deploy) om2 = FactoryGirl.create(:obfuscation_map, namespace: namespace2, deploy: @occurrence.bug.deploy) @occurrence.backtraces = [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"type" => "obfuscated", "file" => "B.java", "line" => 15, "symbol" => "int a(java.lang.String)", "class_name" => "com.A.B"}]}] @occurrence.deobfuscate! om2 expect(@occurrence.changes).to be_empty expect(@occurrence.backtraces).to eql([{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "src/foo/BarTwo.java", "line" => 15, "symbol" => "int baz2(java.lang.String)"}]}]) end end describe "#deobfuscated?" do it "should return true if all lines are deobfuscated" do expect(FactoryGirl.build(:occurrence, backtraces: [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "/usr/bin/gist", "line" => 313, "symbol" => "<main>"}, {"file" => "/usr/bin/gist", "line" => 171, "symbol" => "execute"}, {"file" => "/usr/bin/gist", "line" => 197, "symbol" => "write"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 626, "symbol" => "start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 637, "symbol" => "do_start"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "connect"}, {"file" => "_JAVA_", "line" => 87, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 44, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "block in connect"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "open"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "initialize"}]}])). to be_deobfuscated end it "should return false if any line is deobfuscated" do expect(FactoryGirl.build(:occurrence, backtraces: [{"name" => "Thread 0", "faulted" => true, "backtrace" => [{"file" => "/usr/bin/gist", "line" => 313, "symbol" => "<main>"}, {"file" => "/usr/bin/gist", "line" => 171, "symbol" => "execute"}, {"file" => "/usr/bin/gist", "line" => 197, "symbol" => "write"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 626, "symbol" => "start"}, {"type" => "obfuscated", "file" => "A.java", "line" => 15, "symbol" => "b", "class_name" => "A"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "connect"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 87, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/timeout.rb", "line" => 44, "symbol" => "timeout"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "block in connect"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "open"}, {"file" => "/usr/lib/ruby/1.9.1/net/http.rb", "line" => 644, "symbol" => "initialize"}]}])). not_to be_deobfuscated end end describe "#recategorize!" do it "should re-assign the Occurrence to a different bug if necessary" do bug1 = FactoryGirl.create(:bug) bug2 = FactoryGirl.create(:bug, environment: bug1.environment) occ = FactoryGirl.create(:rails_occurrence, bug: bug1) blamer = bug1.environment.project.blamer.new(occ) allow(blamer.class).to receive(:new).and_return(blamer) expect(blamer).to receive(:find_or_create_bug!).once.and_return(bug2) message = occ.message revision = occ.revision occurred_at = occ.occurred_at client = occ.client occ.recategorize! expect(bug2.occurrences.count).to eql(1) occ2 = bug2.occurrences.first expect(occ.redirect_target).to eql(occ2) expect(occ2.message).to eql(message) expect(occ2.revision).to eql(revision) expect(occ2.occurred_at).to eql(occurred_at) expect(occ2.client).to eql(client) end it "should reopen the new bug if necessary" do bug1 = FactoryGirl.create(:bug) bug2 = FactoryGirl.create(:bug, environment: bug1.environment, fixed: true, fix_deployed: true) occ = FactoryGirl.create(:rails_occurrence, bug: bug1) blamer = bug1.environment.project.blamer.new(occ) allow(blamer.class).to receive(:new).and_return(blamer) expect(blamer).to receive(:find_or_create_bug!).once.and_return(bug2) message = occ.message revision = occ.revision occurred_at = occ.occurred_at client = occ.client occ.recategorize! expect(bug2.occurrences.count).to eql(1) occ2 = bug2.occurrences.first expect(occ.redirect_target).to eql(occ2) expect(occ2.message).to eql(message) expect(occ2.revision).to eql(revision) expect(occ2.occurred_at).to eql(occurred_at) expect(occ2.client).to eql(client) end end end
SquareSquash/web/spec/models/occurrence_spec.rb/0
{ "file_path": "SquareSquash/web/spec/models/occurrence_spec.rb", "repo_id": "SquareSquash", "token_count": 42539 }
122
/* Flot plugin for stacking data sets rather than overlyaing them. Copyright (c) 2007-2012 IOLA and Ole Laursen. Licensed under the MIT license. The plugin assumes the data is sorted on x (or y if stacking horizontally). For line charts, it is assumed that if a line has an undefined gap (from a null point), then the line above it should have the same gap - insert zeros instead of "null" if you want another behaviour. This also holds for the start and end of the chart. Note that stacking a mix of positive and negative values in most instances doesn't make sense (so it looks weird). Two or more series are stacked when their "stack" attribute is set to the same key (which can be any number or string or just "true"). To specify the default stack, you can set the stack option like this: series: { stack: null or true or key (number/string) } You can also specify it for a single series, like this: $.plot( $("#placeholder"), [{ data: [ ... ], stack: true }]) The stacking order is determined by the order of the data series in the array (later series end up on top of the previous). Internally, the plugin modifies the datapoints in each series, adding an offset to the y value. For line series, extra data points are inserted through interpolation. If there's a second y value, it's also adjusted (e.g for bar charts or filled areas). */ (function ($) { var options = { series: { stack: null } // or number/string }; function init(plot) { function findMatchingSeries(s, allseries) { var res = null; for (var i = 0; i < allseries.length; ++i) { if (s == allseries[i]) break; if (allseries[i].stack == s.stack) res = allseries[i]; } return res; } function stackData(plot, s, datapoints) { if (s.stack == null) return; var other = findMatchingSeries(s, plot.getData()); if (!other) return; var ps = datapoints.pointsize, points = datapoints.points, otherps = other.datapoints.pointsize, otherpoints = other.datapoints.points, newpoints = [], px, py, intery, qx, qy, bottom, withlines = s.lines.show, horizontal = s.bars.horizontal, withbottom = ps > 2 && (horizontal ? datapoints.format[2].x : datapoints.format[2].y), withsteps = withlines && s.lines.steps, fromgap = true, keyOffset = horizontal ? 1 : 0, accumulateOffset = horizontal ? 0 : 1, i = 0, j = 0, l, m; while (true) { if (i >= points.length) break; l = newpoints.length; if (points[i] == null) { // copy gaps for (m = 0; m < ps; ++m) newpoints.push(points[i + m]); i += ps; } else if (j >= otherpoints.length) { // for lines, we can't use the rest of the points if (!withlines) { for (m = 0; m < ps; ++m) newpoints.push(points[i + m]); } i += ps; } else if (otherpoints[j] == null) { // oops, got a gap for (m = 0; m < ps; ++m) newpoints.push(null); fromgap = true; j += otherps; } else { // cases where we actually got two points px = points[i + keyOffset]; py = points[i + accumulateOffset]; qx = otherpoints[j + keyOffset]; qy = otherpoints[j + accumulateOffset]; bottom = 0; if (px == qx) { for (m = 0; m < ps; ++m) newpoints.push(points[i + m]); newpoints[l + accumulateOffset] += qy; bottom = qy; i += ps; j += otherps; } else if (px > qx) { // we got past point below, might need to // insert interpolated extra point if (withlines && i > 0 && points[i - ps] != null) { intery = py + (points[i - ps + accumulateOffset] - py) * (qx - px) / (points[i - ps + keyOffset] - px); newpoints.push(qx); newpoints.push(intery + qy); for (m = 2; m < ps; ++m) newpoints.push(points[i + m]); bottom = qy; } j += otherps; } else { // px < qx if (fromgap && withlines) { // if we come from a gap, we just skip this point i += ps; continue; } for (m = 0; m < ps; ++m) newpoints.push(points[i + m]); // we might be able to interpolate a point below, // this can give us a better y if (withlines && j > 0 && otherpoints[j - otherps] != null) bottom = qy + (otherpoints[j - otherps + accumulateOffset] - qy) * (px - qx) / (otherpoints[j - otherps + keyOffset] - qx); newpoints[l + accumulateOffset] += bottom; i += ps; } fromgap = false; if (l != newpoints.length && withbottom) newpoints[l + 2] += bottom; } // maintain the line steps invariant if (withsteps && l != newpoints.length && l > 0 && newpoints[l] != null && newpoints[l] != newpoints[l - ps] && newpoints[l + 1] != newpoints[l - ps + 1]) { for (m = 0; m < ps; ++m) newpoints[l + ps + m] = newpoints[l + m]; newpoints[l + 1] = newpoints[l - ps + 1]; } } datapoints.points = newpoints; } plot.hooks.processDatapoints.push(stackData); } $.plot.plugins.push({ init: init, options: options, name: 'stack', version: '1.2' }); })(jQuery);
SquareSquash/web/vendor/assets/javascripts/flot/stack.js/0
{ "file_path": "SquareSquash/web/vendor/assets/javascripts/flot/stack.js", "repo_id": "SquareSquash", "token_count": 3946 }
123
/** * 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() { this.regexList = [ { regex: /^\+\+\+ .*$/gm, css: 'color2' }, // new file { regex: /^\-\-\- .*$/gm, css: 'color2' }, // old file { regex: /^\s.*$/gm, css: 'color1' }, // unchanged { regex: /^@@.*@@.*$/gm, css: 'variable' }, // location { regex: /^\+.*$/gm, css: 'string' }, // additions { regex: /^\-.*$/gm, css: 'color3' } // deletions ]; }; Brush.prototype = new SyntaxHighlighter.Highlighter(); Brush.aliases = ['diff', 'patch']; SyntaxHighlighter.brushes.Diff = Brush; // CommonJS typeof(exports) != 'undefined' ? exports.Brush = Brush : null; })();
SquareSquash/web/vendor/assets/javascripts/sh/shBrushDiff.js/0
{ "file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushDiff.js", "repo_id": "SquareSquash", "token_count": 467 }
124
/** * SyntaxHighlighter * http://alexgorbatchev.com/SyntaxHighlighter * * SyntaxHighlighter is donationware. If you are using it, please donate. * http://alexgorbatchev.com/SyntaxHighlighter/donate.html * * @version * 3.0.83 (Wed, 12 Feb 2014 03:42:24 GMT) * * @copyright * Copyright (C) 2004-2013 Alex Gorbatchev. * * @license * Dual licensed under the MIT and GPL licenses. */ ;(function() { // CommonJS SyntaxHighlighter = SyntaxHighlighter || (typeof require !== 'undefined'? require('shCore').SyntaxHighlighter : null); function Brush() { // Contributed by Yegor Jbanov and David Bernard. var keywords = 'val sealed case def true trait implicit forSome import match object null finally super ' + 'override try lazy for var catch throw type extends class while with new final yield abstract ' + 'else do if return protected private this package false'; var keyops = '[_:=><%#@]+'; this.regexList = [ { regex: SyntaxHighlighter.regexLib.singleLineCComments, css: 'comments' }, // one line comments { regex: SyntaxHighlighter.regexLib.multiLineCComments, css: 'comments' }, // multiline comments { regex: SyntaxHighlighter.regexLib.multiLineSingleQuotedString, css: 'string' }, // multi-line strings { regex: SyntaxHighlighter.regexLib.multiLineDoubleQuotedString, css: 'string' }, // double-quoted string { regex: SyntaxHighlighter.regexLib.singleQuotedString, css: 'string' }, // strings { regex: /0x[a-f0-9]+|\d+(\.\d+)?/gi, css: 'value' }, // numbers { regex: new RegExp(this.getKeywords(keywords), 'gm'), css: 'keyword' }, // keywords { regex: new RegExp(keyops, 'gm'), css: 'keyword' } // scala keyword ]; } Brush.prototype = new SyntaxHighlighter.Highlighter(); Brush.aliases = ['scala']; SyntaxHighlighter.brushes.Scala = Brush; // CommonJS typeof(exports) != 'undefined' ? exports.Brush = Brush : null; })();
SquareSquash/web/vendor/assets/javascripts/sh/shBrushScala.js/0
{ "file_path": "SquareSquash/web/vendor/assets/javascripts/sh/shBrushScala.js", "repo_id": "SquareSquash", "token_count": 711 }
125
# How to Contribute Contributions of all kinds are welcome! Please visit our [Community Forums](https://community.bitwarden.com/) for general community discussion and the development roadmap. Here is how you can get involved: - **Request a new feature:** Go to the [Feature Requests category](https://community.bitwarden.com/c/feature-requests/) of the Community Forums. Please search existing feature requests before making a new one - **Write code for a new feature:** Make a new post in the [Github Contributions category](https://community.bitwarden.com/c/github-contributions/) of the Community Forums. Include a description of your proposed contribution, screeshots, and links to any relevant feature requests. This helps get feedback from the community and Bitwarden team members before you start writing code - **Report a bug or submit a bugfix:** Use Github issues and pull requests - **Write documentation:** Submit a pull request to the [Bitwarden help repository](https://github.com/bitwarden/help) - **Help other users:** Go to the [Ask the Bitwarden Community category](https://community.bitwarden.com/c/support/) on the Community Forums - **Translate:** See the localization (l10n) section below ## Contributor Agreement Please sign the [Contributor Agreement](https://cla-assistant.io/bitwarden/web) if you intend on contributing to any Github repository. Pull requests cannot be accepted and merged unless the author has signed the Contributor Agreement. ## Pull Request Guidelines - use `npm run lint` and fix any linting suggestions before submitting a pull request - commit any pull requests against the `master` branch - include a link to your Community Forums post # Localization (l10n) [![Crowdin](https://d322cqt584bo4o.cloudfront.net/bitwarden-web/localized.svg)](https://crowdin.com/project/bitwarden-web) We use a translation tool called [Crowdin](https://crowdin.com) to help manage our localization efforts across many different languages. If you are interested in helping translate the Bitwarden web vault into another language (or make a translation correction), please register an account at Crowdin and join our project here: https://crowdin.com/project/bitwarden-web If the language that you are interested in translating is not already listed, create a new account on Crowdin, join the project, and contact the project owner (https://crowdin.com/profile/dwbit). You can read Crowdin's getting started guide for translators here: https://support.crowdin.com/crowdin-intro/
bitwarden/web/CONTRIBUTING.md/0
{ "file_path": "bitwarden/web/CONTRIBUTING.md", "repo_id": "bitwarden", "token_count": 636 }
126
import { Component, Input } from "@angular/core"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; /** For use in the SSO Config Form only - will be deprecated by the Component Library */ @Component({ selector: "app-input-text-readonly", templateUrl: "input-text-readonly.component.html", }) export class InputTextReadOnlyComponent { @Input() controlValue: string; @Input() label: string; @Input() showCopy = true; @Input() showLaunch = false; constructor(private platformUtilsService: PlatformUtilsService) {} copy(value: string) { this.platformUtilsService.copyToClipboard(value); } launchUri(url: string) { this.platformUtilsService.launchUri(url); } }
bitwarden/web/bitwarden_license/src/app/organizations/components/input-text-readonly.component.ts/0
{ "file_path": "bitwarden/web/bitwarden_license/src/app/organizations/components/input-text-readonly.component.ts", "repo_id": "bitwarden", "token_count": 226 }
127
import { Component, OnInit, ViewChild, ViewContainerRef } from "@angular/core"; import { ActivatedRoute } from "@angular/router"; import { first } from "rxjs/operators"; import { ModalService } from "jslib-angular/services/modal.service"; import { ValidationService } from "jslib-angular/services/validation.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 { ProviderService } from "jslib-common/abstractions/provider.service"; import { SearchService } from "jslib-common/abstractions/search.service"; import { PlanType } from "jslib-common/enums/planType"; import { ProviderUserType } from "jslib-common/enums/providerUserType"; import { Organization } from "jslib-common/models/domain/organization"; import { ProviderOrganizationOrganizationDetailsResponse } from "jslib-common/models/response/provider/providerOrganizationResponse"; import { WebProviderService } from "../services/webProvider.service"; import { AddOrganizationComponent } from "./add-organization.component"; const DisallowedPlanTypes = [ PlanType.Free, PlanType.FamiliesAnnually2019, PlanType.FamiliesAnnually, ]; @Component({ templateUrl: "clients.component.html", }) export class ClientsComponent implements OnInit { @ViewChild("add", { read: ViewContainerRef, static: true }) addModalRef: ViewContainerRef; providerId: any; searchText: string; addableOrganizations: Organization[]; loading = true; manageOrganizations = false; showAddExisting = false; clients: ProviderOrganizationOrganizationDetailsResponse[]; pagedClients: ProviderOrganizationOrganizationDetailsResponse[]; protected didScroll = false; protected pageSize = 100; protected actionPromise: Promise<any>; private pagedClientsCount = 0; constructor( private route: ActivatedRoute, private providerService: ProviderService, private apiService: ApiService, private searchService: SearchService, private platformUtilsService: PlatformUtilsService, private i18nService: I18nService, private validationService: ValidationService, private webProviderService: WebProviderService, private logService: LogService, private modalService: ModalService, private organizationService: OrganizationService ) {} async ngOnInit() { this.route.parent.params.subscribe(async (params) => { this.providerId = params.providerId; await this.load(); this.route.queryParams.pipe(first()).subscribe(async (qParams) => { this.searchText = qParams.search; }); }); } async load() { const response = await this.apiService.getProviderClients(this.providerId); this.clients = response.data != null && response.data.length > 0 ? response.data : []; this.manageOrganizations = (await this.providerService.get(this.providerId)).type === ProviderUserType.ProviderAdmin; const candidateOrgs = (await this.organizationService.getAll()).filter( (o) => o.isOwner && o.providerId == null ); const allowedOrgsIds = await Promise.all( candidateOrgs.map((o) => this.apiService.getOrganization(o.id)) ).then((orgs) => orgs.filter((o) => !DisallowedPlanTypes.includes(o.planType)).map((o) => o.id) ); this.addableOrganizations = candidateOrgs.filter((o) => allowedOrgsIds.includes(o.id)); this.showAddExisting = this.addableOrganizations.length !== 0; this.loading = false; } isPaging() { const searching = this.isSearching(); if (searching && this.didScroll) { this.resetPaging(); } return !searching && this.clients && this.clients.length > this.pageSize; } isSearching() { return this.searchService.isSearchable(this.searchText); } async resetPaging() { this.pagedClients = []; this.loadMore(); } loadMore() { if (!this.clients || this.clients.length <= this.pageSize) { return; } const pagedLength = this.pagedClients.length; let pagedSize = this.pageSize; if (pagedLength === 0 && this.pagedClientsCount > this.pageSize) { pagedSize = this.pagedClientsCount; } if (this.clients.length > pagedLength) { this.pagedClients = this.pagedClients.concat( this.clients.slice(pagedLength, pagedLength + pagedSize) ); } this.pagedClientsCount = this.pagedClients.length; this.didScroll = this.pagedClients.length > this.pageSize; } async addExistingOrganization() { const [modal] = await this.modalService.openViewRef( AddOrganizationComponent, this.addModalRef, (comp) => { comp.providerId = this.providerId; comp.organizations = this.addableOrganizations; comp.onAddedOrganization.subscribe(async () => { try { await this.load(); modal.close(); } catch (e) { this.logService.error(`Handled exception: ${e}`); } }); } ); } async remove(organization: ProviderOrganizationOrganizationDetailsResponse) { const confirmed = await this.platformUtilsService.showDialog( this.i18nService.t("detachOrganizationConfirmation"), organization.organizationName, this.i18nService.t("yes"), this.i18nService.t("no"), "warning" ); if (!confirmed) { return false; } this.actionPromise = this.webProviderService.detachOrganizastion( this.providerId, organization.id ); try { await this.actionPromise; this.platformUtilsService.showToast( "success", null, this.i18nService.t("detachedOrganization", organization.organizationName) ); await this.load(); } catch (e) { this.validationService.showError(e); } this.actionPromise = null; } }
bitwarden/web/bitwarden_license/src/app/providers/clients/clients.component.ts/0
{ "file_path": "bitwarden/web/bitwarden_license/src/app/providers/clients/clients.component.ts", "repo_id": "bitwarden", "token_count": 2175 }
128
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 { ProviderUserType } from "jslib-common/enums/providerUserType"; import { PermissionsApi } from "jslib-common/models/api/permissionsApi"; import { ProviderUserInviteRequest } from "jslib-common/models/request/provider/providerUserInviteRequest"; import { ProviderUserUpdateRequest } from "jslib-common/models/request/provider/providerUserUpdateRequest"; @Component({ selector: "provider-user-add-edit", templateUrl: "user-add-edit.component.html", }) export class UserAddEditComponent implements OnInit { @Input() name: string; @Input() providerUserId: string; @Input() providerId: string; @Output() onSavedUser = new EventEmitter(); @Output() onDeletedUser = new EventEmitter(); loading = true; editMode = false; title: string; emails: string; type: ProviderUserType = ProviderUserType.ServiceUser; permissions = new PermissionsApi(); showCustom = false; access: "all" | "selected" = "selected"; formPromise: Promise<any>; deletePromise: Promise<any>; userType = ProviderUserType; constructor( private apiService: ApiService, private i18nService: I18nService, private platformUtilsService: PlatformUtilsService, private logService: LogService ) {} async ngOnInit() { this.editMode = this.loading = this.providerUserId != null; if (this.editMode) { this.editMode = true; this.title = this.i18nService.t("editUser"); try { const user = await this.apiService.getProviderUser(this.providerId, this.providerUserId); this.type = user.type; } catch (e) { this.logService.error(e); } } else { this.title = this.i18nService.t("inviteUser"); } this.loading = false; } async submit() { try { if (this.editMode) { const request = new ProviderUserUpdateRequest(); request.type = this.type; this.formPromise = this.apiService.putProviderUser( this.providerId, this.providerUserId, request ); } else { const request = new ProviderUserInviteRequest(); request.emails = this.emails.trim().split(/\s*,\s*/); request.type = this.type; this.formPromise = this.apiService.postProviderUserInvite(this.providerId, request); } await this.formPromise; this.platformUtilsService.showToast( "success", null, this.i18nService.t(this.editMode ? "editedUserId" : "invitedUsers", this.name) ); this.onSavedUser.emit(); } catch (e) { this.logService.error(e); } } async delete() { if (!this.editMode) { return; } const confirmed = await this.platformUtilsService.showDialog( this.i18nService.t("removeUserConfirmation"), this.name, this.i18nService.t("yes"), this.i18nService.t("no"), "warning" ); if (!confirmed) { return false; } try { this.deletePromise = this.apiService.deleteProviderUser(this.providerId, this.providerUserId); await this.deletePromise; this.platformUtilsService.showToast( "success", null, this.i18nService.t("removedUserId", this.name) ); this.onDeletedUser.emit(); } catch (e) { this.logService.error(e); } } }
bitwarden/web/bitwarden_license/src/app/providers/manage/user-add-edit.component.ts/0
{ "file_path": "bitwarden/web/bitwarden_license/src/app/providers/manage/user-add-edit.component.ts", "repo_id": "bitwarden", "token_count": 1436 }
129
{ "urls": {}, "stripeKey": "pk_test_KPoCfZXu7mznb9uSCPZ2JpTD", "braintreeKey": "sandbox_r72q8jq6_9pnxkwm75f87sdc2", "paypal": { "businessId": "AD3LAUZSNVPJY", "buttonAction": "https://www.sandbox.paypal.com/cgi-bin/webscr" }, "dev": { "port": 8080, "allowedHosts": "auto" } }
bitwarden/web/config/base.json/0
{ "file_path": "bitwarden/web/config/base.json", "repo_id": "bitwarden", "token_count": 165 }
130
import { StateService as BaseStateService } from "jslib-common/abstractions/state.service"; import { StorageOptions } from "jslib-common/models/domain/storageOptions"; import { Account } from "src/models/account"; export abstract class StateService extends BaseStateService<Account> { getRememberEmail: (options?: StorageOptions) => Promise<boolean>; setRememberEmail: (value: boolean, options?: StorageOptions) => Promise<void>; }
bitwarden/web/src/abstractions/state.service.ts/0
{ "file_path": "bitwarden/web/src/abstractions/state.service.ts", "repo_id": "bitwarden", "token_count": 119 }
131
<div class="layout" [ngClass]="['layout', layout]"> <!-- TEAMS 1 Header --> <header class="header" *ngIf=" layout === 'default' || layout === 'teams' || layout === 'teams1' || layout === 'teams2' || layout === 'enterprise' || layout === 'enterprise1' || layout === 'enterprise2' || layout === 'cnetcmpgnent' || layout === 'cnetcmpgnteams' || layout === 'cnetcmpgnind' " > <div class="container"> <div class="row"> <div class="col-7"> <img alt="Bitwarden" class="logo mb-2" src="../../images/register-layout/logo-horizontal-white.svg" /> </div> </div> </div> </header> <form #form (ngSubmit)="submit()" [appApiAction]="formPromise" class="container" ngNativeValidate> <div class="row"> <div class="col-7" *ngIf="layout"> <div class="mt-5"> <!-- Default Body --> <div *ngIf=" layout === 'teams' || layout === 'enterprise' || layout === 'enterprise1' || layout === 'default' " > <h1>The Bitwarden Password Manager</h1> <h2> Trusted by millions of individuals, teams, and organizations worldwide for secure password storage and sharing. </h2> <p>Store logins, secure notes, and more</p> <p>Collaborate and share securely</p> <p>Access anywhere on any device</p> <p>Create your account to get started</p> </div> <!-- Teams & Enterprise Body --> <div *ngIf="layout === 'teams1' || layout === 'teams2' || layout === 'enterprise2'"> <h1> Start Your <span *ngIf="layout === 'teams1' || layout === 'teams1'">Teams<br /></span ><span *ngIf="layout === 'enterprise2'">Enterprise</span> Free Trial Now </h1> <h2> Millions of individuals, teams, and organizations worldwide trust Bitwarden for secure password storage and sharing. </h2> <p>Collaborate and share securely</p> <p>Deploy and manage quickly and easily</p> <p>Access anywhere on any device</p> <p>Create your account to get started</p> </div> <!-- CNET Campaign Teams & Enterprise Body --> <div *ngIf="layout === 'cnetcmpgnteams' || layout === 'cnetcmpgnent'"> <h1> Start Your <span *ngIf="layout === 'cnetcmpgnteams'">Teams<br /></span ><span *ngIf="layout === 'cnetcmpgnent'">Enterprise</span> Free Trial Now </h1> <h2> Millions of individuals, teams, and organizations worldwide trust Bitwarden for secure password storage and sharing. </h2> <p>Collaborate and share securely</p> <p>Deploy and manage quickly and easily</p> <p>Access anywhere on any device</p> <p>Create your account to get started</p> </div> <!-- CNET Campaign Premium Body --> <div *ngIf="layout === 'cnetcmpgnind'"> <h1>Start Your Premium Account Now</h1> <h2> Millions of individuals, teams, and organizations worldwide trust Bitwarden for secure password storage and sharing. </h2> <p>Store logins, secure notes, and more</p> <p>Secure your account with advanced two-step login</p> <p>Access anywhere on any device</p> <p>Create your account to get started</p> </div> </div> </div> <div [ngClass]="{ 'col-5': layout, 'col-12': !layout }"> <div class="row justify-content-md-center mt-5"> <div [ngClass]="{ 'col-5': !layout, 'col-12': layout }"> <h1 class="lead text-center mb-4" *ngIf="!layout">{{ "createAccount" | i18n }}</h1> <div class="card d-block"> <div class="card-body"> <app-callout title="{{ 'createOrganizationStep1' | i18n }}" type="info" icon="bwi bwi-thumb-tack" *ngIf="showCreateOrgMessage" > {{ "createOrganizationCreatePersonalAccount" | i18n }} </app-callout> <div class="form-group"> <label for="email">{{ "emailAddress" | i18n }}</label> <input id="email" class="form-control" type="text" name="Email" [(ngModel)]="email" required [appAutofocus]="email === ''" inputmode="email" appInputVerbatim="false" /> <small class="form-text text-muted">{{ "emailAddressDesc" | i18n }}</small> </div> <div class="form-group"> <label for="name">{{ "yourName" | i18n }}</label> <input id="name" class="form-control" type="text" name="Name" [(ngModel)]="name" [appAutofocus]="email !== ''" /> <small class="form-text text-muted">{{ "yourNameDesc" | i18n }}</small> </div> <div class="form-group"> <app-callout type="info" [enforcedPolicyOptions]="enforcedPolicyOptions" *ngIf="enforcedPolicyOptions" > </app-callout> <label for="masterPassword">{{ "masterPass" | i18n }}</label> <div class="d-flex"> <div class="w-100"> <input id="masterPassword" type="{{ showPassword ? 'text' : 'password' }}" name="MasterPassword" class="text-monospace form-control mb-1" [(ngModel)]="masterPassword" (input)="updatePasswordStrength()" required appInputVerbatim /> <app-password-strength [score]="masterPasswordScore" [showText]="true"> </app-password-strength> </div> <div> <button type="button" class="ml-1 btn btn-link" appA11yTitle="{{ 'toggleVisibility' | i18n }}" (click)="togglePassword(false)" > <i class="bwi bwi-lg" aria-hidden="true" [ngClass]="{ 'bwi-eye': !showPassword, 'bwi-eye-slash': showPassword }" ></i> </button> <div class="progress-bar invisible"></div> </div> </div> <small class="form-text text-muted">{{ "masterPassDesc" | i18n }}</small> </div> <div class="form-group"> <label for="masterPasswordRetype">{{ "reTypeMasterPass" | i18n }}</label> <div class="d-flex"> <input id="masterPasswordRetype" type="{{ showPassword ? 'text' : 'password' }}" name="MasterPasswordRetype" class="text-monospace form-control" [(ngModel)]="confirmMasterPassword" required appInputVerbatim /> <button type="button" class="ml-1 btn btn-link" appA11yTitle="{{ 'toggleVisibility' | i18n }}" (click)="togglePassword(true)" > <i class="bwi bwi-lg" aria-hidden="true" [ngClass]="{ 'bwi-eye': !showPassword, 'bwi-eye-slash': showPassword }" ></i> </button> </div> </div> <div class="form-group"> <label for="hint">{{ "masterPassHint" | i18n }}</label> <input id="hint" class="form-control" type="text" name="Hint" [(ngModel)]="hint" /> <small class="form-text text-muted">{{ "masterPassHintDesc" | i18n }}</small> </div> <div [hidden]="!showCaptcha()"> <iframe id="hcaptcha_iframe" height="80"></iframe> </div> <div class="form-group" *ngIf="showTerms"> <div class="form-check"> <input class="form-check-input" type="checkbox" id="acceptPolicies" [(ngModel)]="acceptPolicies" name="AcceptPolicies" /> <label class="form-check-label small text-muted" for="acceptPolicies"> {{ "acceptPolicies" | i18n }}<br /> <a href="https://bitwarden.com/terms/" target="_blank" rel="noopener">{{ "termsOfService" | i18n }}</a >, <a href="https://bitwarden.com/privacy/" target="_blank" rel="noopener">{{ "privacyPolicy" | i18n }}</a> </label> </div> </div> <hr /> <div class="d-flex mb-2"> <button type="submit" class="btn btn-primary btn-block btn-submit" [disabled]="form.loading" > <span>{{ "submit" | i18n }}</span> <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> </button> <a routerLink="/login" class="btn btn-outline-secondary btn-block ml-2 mt-0"> {{ "cancel" | i18n }} </a> </div> </div> </div> </div> </div> </div> </div> <div class="row"> <div class="col-7 d-flex align-items-center"> <div *ngIf=" layout === 'cnetcmpgnent' || layout === 'cnetcmpgnteams' || layout === 'cnetcmpgnind' " > <figure> <figcaption> <cite> <img src="../../images/register-layout/cnet-logo.svg" class="w-25 d-block mx-auto" alt="cnet logo" /> </cite> </figcaption> <blockquote class="mx-auto text-center px-4"> "No more excuses; start using Bitwarden today. The identity you save could be your own. The money definitely will be." </blockquote> </figure> </div> <div *ngIf=" layout === 'teams' || layout === 'teams1' || layout === 'teams2' || layout === 'enterprise' || layout === 'enterprise1' || layout === 'enterprise2' || layout === 'default' " > <figure> <figcaption> <cite> <img src="../../images/register-layout/forbes-logo.svg" class="w-25 d-block mx-auto" alt="Forbes Logo" /> </cite> </figcaption> <blockquote class="mx-auto text-center px-4"> “Bitwarden boasts the backing of some of the world's best security experts and an attractive, easy-to-use interface” </blockquote> </figure> </div> </div> <div *ngIf=" layout === 'cnetcmpgnent' || layout === 'cnetcmpgnteams' || layout === 'cnetcmpgnind' " class="col-5 d-flex align-items-center justify-content-center" > <img src="../../images/register-layout/usnews-360-badge.svg" class="w-50 d-block" alt="US News 360 Reviews Best Password Manager" /> </div> <div *ngIf=" layout === 'teams' || layout === 'teams1' || layout === 'teams2' || layout === 'enterprise' || layout === 'enterprise1' || layout === 'enterprise2' || layout === 'default' " class="col-5 d-flex align-items-center justify-content-center" > <img src="../../images/register-layout/usnews-360-badge.svg" class="w-50 d-block" alt="US News 360 Reviews Best Password Manager" /> </div> </div> </form> </div>
bitwarden/web/src/app/accounts/register.component.html/0
{ "file_path": "bitwarden/web/src/app/accounts/register.component.html", "repo_id": "bitwarden", "token_count": 7991 }
132
<div class="mt-5 d-flex justify-content-center"> <div> <img class="mb-4 logo logo-themed" alt="Bitwarden" /> <p class="text-center"> <i class="bwi bwi-spinner bwi-spin bwi-2x text-muted" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> <span class="sr-only">{{ "loading" | i18n }}</span> </p> </div> </div>
bitwarden/web/src/app/accounts/verify-email-token.component.html/0
{ "file_path": "bitwarden/web/src/app/accounts/verify-email-token.component.html", "repo_id": "bitwarden", "token_count": 183 }
133
<div class="progress"> <div class="progress-bar {{ color }}" role="progressbar" [ngStyle]="{ width: scoreWidth + '%' }" attr.aria-valuenow="{{ scoreWidth }}" aria-valuemin="0" aria-valuemax="100" > <ng-container *ngIf="showText && text"> {{ text }} </ng-container> </div> </div>
bitwarden/web/src/app/components/password-strength.component.html/0
{ "file_path": "bitwarden/web/src/app/components/password-strength.component.html", "repo_id": "bitwarden", "token_count": 146 }
134
import { ScrollingModule } from "@angular/cdk/scrolling"; import { NgModule } from "@angular/core"; import { SharedModule } from "../../shared.module"; import { EntityUsersComponent } from "./entity-users.component"; @NgModule({ imports: [SharedModule, ScrollingModule], declarations: [EntityUsersComponent], exports: [EntityUsersComponent], }) export class OrganizationManageModule {}
bitwarden/web/src/app/modules/organizations/manage/organization-manage.module.ts/0
{ "file_path": "bitwarden/web/src/app/modules/organizations/manage/organization-manage.module.ts", "repo_id": "bitwarden", "token_count": 109 }
135
import { Component, Input } from "@angular/core"; 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 { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { PolicyService } from "jslib-common/abstractions/policy.service"; import { SyncService } from "jslib-common/abstractions/sync.service"; import { PolicyType } from "jslib-common/enums/policyType"; import { Organization } from "jslib-common/models/domain/organization"; import { Policy } from "jslib-common/models/domain/policy"; import { EnrollMasterPasswordReset } from "../../organizations/users/enroll-master-password-reset.component"; @Component({ selector: "app-organization-options", templateUrl: "organization-options.component.html", }) export class OrganizationOptionsComponent { actionPromise: Promise<any>; policies: Policy[]; loaded = false; @Input() organization: Organization; constructor( private platformUtilsService: PlatformUtilsService, private i18nService: I18nService, private apiService: ApiService, private syncService: SyncService, private policyService: PolicyService, private modalService: ModalService, private logService: LogService ) {} async ngOnInit() { await this.load(); } async load() { this.policies = await this.policyService.getAll(PolicyType.ResetPassword); this.loaded = true; } allowEnrollmentChanges(org: Organization): boolean { if (org.usePolicies && org.useResetPassword && org.hasPublicAndPrivateKeys) { const policy = this.policies.find((p) => p.organizationId === org.id); if (policy != null && policy.enabled) { return org.resetPasswordEnrolled && policy.data.autoEnrollEnabled ? false : true; } } return false; } showEnrolledStatus(org: Organization): boolean { return ( org.useResetPassword && org.resetPasswordEnrolled && this.policies.some((p) => p.organizationId === org.id && p.enabled) ); } async unlinkSso(org: Organization) { const confirmed = await this.platformUtilsService.showDialog( this.i18nService.t("unlinkSsoConfirmation"), org.name, this.i18nService.t("yes"), this.i18nService.t("no"), "warning" ); if (!confirmed) { return false; } try { this.actionPromise = this.apiService.deleteSsoUser(org.id).then(() => { return this.syncService.fullSync(true); }); await this.actionPromise; this.platformUtilsService.showToast("success", null, "Unlinked SSO"); await this.load(); } catch (e) { this.platformUtilsService.showToast("error", this.i18nService.t("errorOccurred"), e.message); this.logService.error(e); } } async leave(org: Organization) { const confirmed = await this.platformUtilsService.showDialog( this.i18nService.t("leaveOrganizationConfirmation"), org.name, this.i18nService.t("yes"), this.i18nService.t("no"), "warning" ); if (!confirmed) { return false; } try { this.actionPromise = this.apiService.postLeaveOrganization(org.id).then(() => { return this.syncService.fullSync(true); }); await this.actionPromise; this.platformUtilsService.showToast("success", null, this.i18nService.t("leftOrganization")); await this.load(); } catch (e) { this.platformUtilsService.showToast("error", this.i18nService.t("errorOccurred"), e.message); this.logService.error(e); } } async toggleResetPasswordEnrollment(org: Organization) { this.modalService.open(EnrollMasterPasswordReset, { allowMultipleModals: true, data: { organization: org, }, }); } }
bitwarden/web/src/app/modules/vault-filter/components/organization-options.component.ts/0
{ "file_path": "bitwarden/web/src/app/modules/vault-filter/components/organization-options.component.ts", "repo_id": "bitwarden", "token_count": 1449 }
136
import { Component, EventEmitter, Input, OnInit, Output } from "@angular/core"; import { I18nService } from "jslib-common/abstractions/i18n.service"; @Component({ selector: "app-org-badge", templateUrl: "organization-name-badge.component.html", }) export class OrganizationNameBadgeComponent implements OnInit { @Input() organizationName: string; @Input() profileName: string; @Output() onOrganizationClicked = new EventEmitter<string>(); color: string; textColor: string; constructor(private i18nService: I18nService) {} ngOnInit(): void { if (this.organizationName == null || this.organizationName === "") { this.organizationName = this.i18nService.t("me"); this.color = this.stringToColor(this.profileName.toUpperCase()); } if (this.color == null) { this.color = this.stringToColor(this.organizationName.toUpperCase()); } this.textColor = this.pickTextColorBasedOnBgColor(); } // This value currently isn't stored anywhere, only calculated in the app-avatar component // Once we are allowing org colors to be changed and saved, change this out private stringToColor(str: string): string { let hash = 0; for (let i = 0; i < str.length; i++) { hash = str.charCodeAt(i) + ((hash << 5) - hash); } let color = "#"; for (let i = 0; i < 3; i++) { const value = (hash >> (i * 8)) & 0xff; color += ("00" + value.toString(16)).substr(-2); } return color; } // There are a few ways to calculate text color for contrast, this one seems to fit accessibility guidelines best. // https://stackoverflow.com/a/3943023/6869691 private pickTextColorBasedOnBgColor() { const color = this.color.charAt(0) === "#" ? this.color.substring(1, 7) : this.color; const r = parseInt(color.substring(0, 2), 16); // hexToR const g = parseInt(color.substring(2, 4), 16); // hexToG const b = parseInt(color.substring(4, 6), 16); // hexToB return r * 0.299 + g * 0.587 + b * 0.114 > 186 ? "black !important" : "white !important"; } emitOnOrganizationClicked() { this.onOrganizationClicked.emit(); } }
bitwarden/web/src/app/modules/vault/modules/organization-badge/organization-name-badge.component.ts/0
{ "file_path": "bitwarden/web/src/app/modules/vault/modules/organization-badge/organization-name-badge.component.ts", "repo_id": "bitwarden", "token_count": 751 }
137
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="collectionAddEditTitle"> <div class="modal-dialog modal-dialog-scrollable" role="document"> <form class="modal-content" #form (ngSubmit)="submit()" [appApiAction]="formPromise" ngNativeValidate > <div class="modal-header"> <h2 class="modal-title" id="collectionAddEditTitle">{{ 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="loading"> <i class="bwi bwi-spinner bwi-spin text-muted" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> <span class="sr-only">{{ "loading" | i18n }}</span> </div> <div class="modal-body" *ngIf="!loading"> <div class="form-group"> <label for="name">{{ "name" | i18n }}</label> <input id="name" class="form-control" type="text" name="Name" [(ngModel)]="name" required appAutofocus [disabled]="!this.canSave" /> </div> <div class="form-group"> <label for="externalId">{{ "externalId" | i18n }}</label> <input id="externalId" class="form-control" type="text" name="ExternalId" [(ngModel)]="externalId" [disabled]="!this.canSave" /> <small class="form-text text-muted">{{ "externalIdDesc" | i18n }}</small> </div> <ng-container *ngIf="accessGroups"> <h3 class="mt-4 d-flex mb-0"> {{ "groupAccess" | i18n }} <div class="ml-auto" *ngIf="groups && groups.length && this.canSave"> <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> </h3> <div *ngIf="!groups || !groups.length"> {{ "noGroupsInList" | i18n }} </div> <table class="table table-hover table-list mb-0" *ngIf="groups && groups.length"> <thead> <tr> <th>&nbsp;</th> <th>{{ "name" | i18n }}</th> <th width="100" class="text-center">{{ "hidePasswords" | i18n }}</th> <th width="100" class="text-center">{{ "readOnly" | i18n }}</th> </tr> </thead> <tbody> <tr *ngFor="let g of groups; let i = index"> <td class="table-list-checkbox" (click)="check(g)"> <input type="checkbox" [(ngModel)]="g.checked" name="Groups[{{ i }}].Checked" [disabled]="g.accessAll || !this.canSave" appStopProp /> </td> <td (click)="check(g)"> {{ g.name }} <ng-container *ngIf="g.accessAll"> <i class="bwi bwi-filter text-muted bwi-fw" title="{{ 'groupAccessAllItems' | i18n }}" aria-hidden="true" ></i> <span class="sr-only">{{ "groupAccessAllItems" | i18n }}</span> </ng-container> </td> <td class="text-center"> <input type="checkbox" [(ngModel)]="g.hidePasswords" name="Groups[{{ i }}].HidePasswords" [disabled]="!g.checked || g.accessAll || !this.canSave" /> </td> <td class="text-center"> <input type="checkbox" [(ngModel)]="g.readOnly" name="Groups[{{ i }}].ReadOnly" [disabled]="!g.checked || g.accessAll || !this.canSave" /> </td> </tr> </tbody> </table> </ng-container> </div> <div class="modal-footer"> <button type="submit" class="btn btn-primary btn-submit" [disabled]="form.loading" *ngIf="this.canSave" > <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i> <span>{{ "save" | i18n }}</span> </button> <button type="button" class="btn btn-outline-secondary" data-dismiss="modal"> {{ "cancel" | i18n }} </button> <div class="ml-auto" *ngIf="this.canDelete"> <button #deleteBtn type="button" (click)="delete()" class="btn btn-outline-danger" appA11yTitle="{{ 'delete' | i18n }}" *ngIf="editMode" [disabled]="deleteBtn.loading" [appApiAction]="deletePromise" > <i class="bwi bwi-trash bwi-lg bwi-fw" [hidden]="deleteBtn.loading" aria-hidden="true" ></i> <i class="bwi bwi-spinner bwi-spin bwi-lg bwi-fw" [hidden]="!deleteBtn.loading" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> </button> </div> </div> </form> </div> </div>
bitwarden/web/src/app/organizations/manage/collection-add-edit.component.html/0
{ "file_path": "bitwarden/web/src/app/organizations/manage/collection-add-edit.component.html", "repo_id": "bitwarden", "token_count": 3390 }
138
<div class="page-header d-flex"> <h1>{{ "policies" | i18n }}</h1> </div> <ng-container *ngIf="loading"> <i class="bwi bwi-spinner bwi-spin text-muted" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> <span class="sr-only">{{ "loading" | i18n }}</span> </ng-container> <table class="table table-hover table-list" *ngIf="!loading"> <tbody> <tr *ngFor="let p of policies"> <td *ngIf="p.display(organization)"> <a href="#" appStopClick (click)="edit(p)">{{ p.name | i18n }}</a> <span class="badge badge-success" *ngIf="policiesEnabledMap.get(p.type)">{{ "enabled" | i18n }}</span> <small class="text-muted d-block">{{ p.description | i18n }}</small> </td> </tr> </tbody> </table> <ng-template #editTemplate></ng-template>
bitwarden/web/src/app/organizations/manage/policies.component.html/0
{ "file_path": "bitwarden/web/src/app/organizations/manage/policies.component.html", "repo_id": "bitwarden", "token_count": 369 }
139
<app-callout type="info" *ngIf="showKeyConnectorInfo"> {{ "keyConnectorPolicyRestriction" | i18n }} </app-callout> <div [formGroup]="data"> <div class="form-group"> <div class="form-check"> <input class="form-check-input" type="checkbox" id="enabled" [formControl]="enabled" name="Enabled" /> <label class="form-check-label" for="enabled">{{ "enabled" | i18n }}</label> </div> </div> <div class="row"> <div class="col-6 form-group"> <label for="minComplexity">{{ "minComplexityScore" | i18n }}</label> <select id="minComplexity" name="minComplexity" formControlName="minComplexity" class="form-control" > <option *ngFor="let o of passwordScores" [ngValue]="o.value">{{ o.name }}</option> </select> </div> <div class="col-6 form-group"> <label for="minLength">{{ "minLength" | i18n }}</label> <input id="minLength" class="form-control" type="number" min="8" name="minLength" formControlName="minLength" /> </div> </div> <div class="form-check"> <input class="form-check-input" type="checkbox" id="requireUpper" name="requireUpper" formControlName="requireUpper" /> <label class="form-check-label" for="requireUpper">A-Z</label> </div> <div class="form-check"> <input class="form-check-input" type="checkbox" id="requireLower" name="requireLower" formControlName="requireLower" /> <label class="form-check-label" for="requireLower">a-z</label> </div> <div class="form-check"> <input class="form-check-input" type="checkbox" id="requireNumbers" name="requireNumbers" formControlName="requireNumbers" /> <label class="form-check-label" for="requireNumbers">0-9</label> </div> <div class="form-check"> <input class="form-check-input" type="checkbox" id="requireSpecial" name="requireSpecial" formControlName="requireSpecial" /> <label class="form-check-label" for="requireSpecial">!@#$%^&amp;*</label> </div> </div>
bitwarden/web/src/app/organizations/policies/master-password.component.html/0
{ "file_path": "bitwarden/web/src/app/organizations/policies/master-password.component.html", "repo_id": "bitwarden", "token_count": 990 }
140
import { Permissions } from "jslib-common/enums/permissions"; import { Organization } from "jslib-common/models/domain/organization"; const permissions = { manage: [ Permissions.CreateNewCollections, Permissions.EditAnyCollection, Permissions.DeleteAnyCollection, Permissions.EditAssignedCollections, Permissions.DeleteAssignedCollections, Permissions.AccessEventLogs, Permissions.ManageGroups, Permissions.ManageUsers, Permissions.ManagePolicies, ], tools: [Permissions.AccessImportExport, Permissions.AccessReports], settings: [Permissions.ManageOrganization], }; export class NavigationPermissionsService { static getPermissions(route: keyof typeof permissions | "admin") { if (route === "admin") { return Object.values(permissions).reduce((previous, current) => previous.concat(current), []); } return permissions[route]; } static canAccessAdmin(organization: Organization): boolean { return ( this.canAccessTools(organization) || this.canAccessSettings(organization) || this.canAccessManage(organization) ); } static canAccessTools(organization: Organization): boolean { return organization.hasAnyPermission(NavigationPermissionsService.getPermissions("tools")); } static canAccessSettings(organization: Organization): boolean { return organization.hasAnyPermission(NavigationPermissionsService.getPermissions("settings")); } static canAccessManage(organization: Organization): boolean { return organization.hasAnyPermission(NavigationPermissionsService.getPermissions("manage")); } }
bitwarden/web/src/app/organizations/services/navigation-permissions.service.ts/0
{ "file_path": "bitwarden/web/src/app/organizations/services/navigation-permissions.service.ts", "repo_id": "bitwarden", "token_count": 490 }
141
import { Component, OnInit } from "@angular/core"; import { ActivatedRoute } from "@angular/router"; import { ApiService } from "jslib-common/abstractions/api.service"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { LogService } from "jslib-common/abstractions/log.service"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { PaymentMethodType } from "jslib-common/enums/paymentMethodType"; import { TransactionType } from "jslib-common/enums/transactionType"; import { VerifyBankRequest } from "jslib-common/models/request/verifyBankRequest"; import { BillingResponse } from "jslib-common/models/response/billingResponse"; @Component({ selector: "app-org-billing", templateUrl: "./organization-billing.component.html", }) export class OrganizationBillingComponent implements OnInit { loading = false; firstLoaded = false; showAdjustPayment = false; showAddCredit = false; billing: BillingResponse; paymentMethodType = PaymentMethodType; transactionType = TransactionType; organizationId: string; verifyAmount1: number; verifyAmount2: number; verifyBankPromise: Promise<any>; // TODO - Make sure to properly split out the billing/invoice and payment method/account during org admin refresh constructor( private apiService: ApiService, private i18nService: I18nService, private route: ActivatedRoute, private platformUtilsService: PlatformUtilsService, private logService: LogService ) {} async ngOnInit() { this.route.parent.parent.params.subscribe(async (params) => { this.organizationId = params.organizationId; await this.load(); this.firstLoaded = true; }); } async load() { if (this.loading) { return; } this.loading = true; if (this.organizationId != null) { this.billing = await this.apiService.getOrganizationBilling(this.organizationId); } this.loading = false; } async verifyBank() { if (this.loading) { return; } try { const request = new VerifyBankRequest(); request.amount1 = this.verifyAmount1; request.amount2 = this.verifyAmount2; this.verifyBankPromise = this.apiService.postOrganizationVerifyBank( this.organizationId, request ); await this.verifyBankPromise; this.platformUtilsService.showToast( "success", null, this.i18nService.t("verifiedBankAccount") ); this.load(); } catch (e) { this.logService.error(e); } } addCredit() { if (this.paymentSourceInApp) { this.platformUtilsService.showDialog( this.i18nService.t("cannotPerformInAppPurchase"), this.i18nService.t("addCredit"), null, null, "warning" ); return; } this.showAddCredit = true; } closeAddCredit(load: boolean) { this.showAddCredit = false; if (load) { this.load(); } } changePayment() { if (this.paymentSourceInApp) { this.platformUtilsService.showDialog( this.i18nService.t("cannotPerformInAppPurchase"), this.i18nService.t("changePaymentMethod"), null, null, "warning" ); return; } this.showAdjustPayment = true; } closePayment(load: boolean) { this.showAdjustPayment = false; if (load) { this.load(); } } get isCreditBalance() { return this.billing == null || this.billing.balance <= 0; } get creditOrBalance() { return Math.abs(this.billing != null ? this.billing.balance : 0); } get paymentSource() { return this.billing != null ? this.billing.paymentSource : null; } get paymentSourceInApp() { return ( this.paymentSource != null && (this.paymentSource.type === PaymentMethodType.AppleInApp || this.paymentSource.type === PaymentMethodType.GoogleInApp) ); } get invoices() { return this.billing != null ? this.billing.invoices : null; } get transactions() { return this.billing != null ? this.billing.transactions : null; } }
bitwarden/web/src/app/organizations/settings/organization-billing.component.ts/0
{ "file_path": "bitwarden/web/src/app/organizations/settings/organization-billing.component.ts", "repo_id": "bitwarden", "token_count": 1551 }
142
import { Component } from "@angular/core"; import { ActivatedRoute } from "@angular/router"; import { MessagingService } from "jslib-common/abstractions/messaging.service"; import { OrganizationService } from "jslib-common/abstractions/organization.service"; import { Organization } from "jslib-common/models/domain/organization"; @Component({ selector: "app-org-tools", templateUrl: "tools.component.html", }) export class ToolsComponent { organization: Organization; accessReports = false; loading = true; constructor( private route: ActivatedRoute, private organizationService: OrganizationService, private messagingService: MessagingService ) {} ngOnInit() { this.route.parent.params.subscribe(async (params) => { this.organization = await this.organizationService.get(params.organizationId); // TODO: Maybe we want to just make sure they are not on a free plan? Just compare useTotp for now // since all paid plans include useTotp this.accessReports = this.organization.useTotp; this.loading = false; }); } upgradeOrganization() { this.messagingService.send("upgradeOrganization", { organizationId: this.organization.id }); } }
bitwarden/web/src/app/organizations/tools/tools.component.ts/0
{ "file_path": "bitwarden/web/src/app/organizations/tools/tools.component.ts", "repo_id": "bitwarden", "token_count": 374 }
143
import { Component, OnInit } from "@angular/core"; 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 { 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-exposed-passwords-report", templateUrl: "exposed-passwords-report.component.html", }) export class ExposedPasswordsReportComponent extends CipherReportComponent implements OnInit { exposedPasswordMap = new Map<string, number>(); constructor( protected cipherService: CipherService, protected auditService: AuditService, modalService: ModalService, messagingService: MessagingService, stateService: StateService, passwordRepromptService: PasswordRepromptService ) { super(modalService, messagingService, true, stateService, passwordRepromptService); } ngOnInit() { this.checkAccess(); } async load() { if (await this.checkAccess()) { super.load(); } } async setCiphers() { const allCiphers = await this.getAllCiphers(); const exposedPasswordCiphers: CipherView[] = []; const promises: Promise<void>[] = []; allCiphers.forEach((c) => { if ( c.type !== CipherType.Login || c.login.password == null || c.login.password === "" || c.isDeleted ) { return; } const promise = this.auditService.passwordLeaked(c.login.password).then((exposedCount) => { if (exposedCount > 0) { exposedPasswordCiphers.push(c); this.exposedPasswordMap.set(c.id, exposedCount); } }); promises.push(promise); }); await Promise.all(promises); this.ciphers = exposedPasswordCiphers; } protected getAllCiphers(): Promise<CipherView[]> { return this.cipherService.getAllDecrypted(); } protected canManageCipher(c: CipherView): boolean { // this will only ever be false from the org view; return true; } }
bitwarden/web/src/app/reports/exposed-passwords-report.component.ts/0
{ "file_path": "bitwarden/web/src/app/reports/exposed-passwords-report.component.ts", "repo_id": "bitwarden", "token_count": 857 }
144
<form #form (ngSubmit)="load()" [appApiAction]="formPromise" class="container" ngNativeValidate> <div class="row justify-content-center mt-5"> <div class="col-12"> <h1 class="lead text-center mb-4">Bitwarden Send</h1> </div> <div class="col-12 text-center" *ngIf="creatorIdentifier != null"> <p>{{ "sendCreatorIdentifier" | i18n: creatorIdentifier }}</p> </div> <div class="col-8" *ngIf="hideEmail"> <app-callout type="warning" title="{{ 'warning' | i18n }}"> {{ "viewSendHiddenEmailWarning" | i18n }} <a href="https://bitwarden.com/help/receive-send/" target="_blank">{{ "learnMore" | i18n }}</a >. </app-callout> </div> </div> <div class="row justify-content-center"> <div class="col-5"> <div class="card d-block"> <div class="card-body" *ngIf="loading" class="text-center"> <i class="bwi bwi-spinner bwi-spin bwi-2x text-muted" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> <span class="sr-only">{{ "loading" | i18n }}</span> </div> <div class="card-body" *ngIf="!loading && passwordRequired"> <p>{{ "sendProtectedPassword" | i18n }}</p> <p>{{ "sendProtectedPasswordDontKnow" | i18n }}</p> <div class="form-group"> <label for="password">{{ "password" | i18n }}</label> <input id="password" type="password" name="Password" class="text-monospace form-control" [(ngModel)]="password" required appInputVerbatim appAutofocus /> </div> <div class="d-flex"> <button type="submit" class="btn btn-primary btn-block btn-submit" [disabled]="form.loading" > <span> <i class="bwi bwi-sign-in" aria-hidden="true"></i> {{ "continue" | i18n }} </span> <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> </button> </div> </div> <div class="card-body" *ngIf="!loading && unavailable"> {{ "sendAccessUnavailable" | i18n }} </div> <div class="card-body" *ngIf="!loading && error"> {{ "unexpectedError" | i18n }} </div> <div class="card-body" *ngIf="!loading && !passwordRequired && send"> <p class="text-center"> <b>{{ send.name }}</b> </p> <hr /> <!-- Text --> <ng-container *ngIf="send.type === sendType.Text"> <app-callout *ngIf="send.text.hidden" type="tip">{{ "sendHiddenByDefault" | i18n }}</app-callout> <div class="form-group"> <textarea id="text" rows="8" name="Text" [(ngModel)]="sendText" class="form-control" readonly ></textarea> </div> <button class="btn btn-block btn-link" type="button" (click)="toggleText()" *ngIf="send.text.hidden" > <i class="bwi bwi-lg" aria-hidden="true" [ngClass]="{ 'bwi-eye': !showText, 'bwi-eye-slash': showText }" ></i> {{ "toggleVisibility" | i18n }} </button> <button class="btn btn-block btn-link" type="button" (click)="copyText()"> <i class="bwi bwi-copy" aria-hidden="true"></i> {{ "copyValue" | i18n }} </button> </ng-container> <!-- File --> <ng-container *ngIf="send.type === sendType.File"> <p>{{ send.file.fileName }}</p> <button class="btn btn-primary btn-block" type="button" (click)="download()" *ngIf="!downloading" > <i class="bwi bwi-download" aria-hidden="true"></i> {{ "downloadFile" | i18n }} ({{ send.file.sizeName }}) </button> <button class="btn btn-primary btn-block" type="button" *ngIf="downloading" disabled="true" > <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true" ></i> </button> </ng-container> <p *ngIf="expirationDate" class="text-center text-muted"> Expires: {{ expirationDate | date: "medium" }} </p> </div> </div> </div> <div class="col-12 text-center mt-5 text-muted"> <p class="mb-0"> {{ "sendAccessTaglineProductDesc" | i18n }}<br /> {{ "sendAccessTaglineLearnMore" | i18n }} <a href="https://www.bitwarden.com/products/send?source=web-vault" target="_blank" >Bitwarden Send</a > {{ "sendAccessTaglineOr" | i18n }} <a href="https://vault.bitwarden.com/#/register" target="_blank">{{ "sendAccessTaglineSignUp" | i18n }}</a> {{ "sendAccessTaglineTryToday" | i18n }} </p> </div> </div> </form>
bitwarden/web/src/app/send/access.component.html/0
{ "file_path": "bitwarden/web/src/app/send/access.component.html", "repo_id": "bitwarden", "token_count": 3019 }
145
<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">{{ "addCredit" | i18n }}</h3> <div class="mb-4 text-lg" *ngIf="showOptions"> <div class="form-check form-check-inline"> <input class="form-check-input" type="radio" name="Method" id="credit-method-paypal" [value]="paymentMethodType.PayPal" [(ngModel)]="method" /> <label class="form-check-label" for="credit-method-paypal"> <i class="bwi bwi-fw bwi-paypal" aria-hidden="true"></i> PayPal</label > </div> <div class="form-check form-check-inline"> <input class="form-check-input" type="radio" name="Method" id="credit-method-bitcoin" [value]="paymentMethodType.BitPay" [(ngModel)]="method" /> <label class="form-check-label" for="credit-method-bitcoin"> <i class="bwi bwi-fw bwi-bitcoin" aria-hidden="true"></i> Bitcoin</label > </div> </div> <div class="form-group"> <div class="row"> <div class="col-4"> <label for="creditAmount">{{ "amount" | i18n }}</label> <div class="input-group"> <div class="input-group-prepend"><span class="input-group-text">$USD</span></div> <input id="creditAmount" class="form-control" type="text" name="CreditAmount" [(ngModel)]="creditAmount" (blur)="formatAmount()" required /> </div> </div> </div> <small class="form-text text-muted">{{ "creditDelayed" | i18n }}</small> </div> <button type="submit" class="btn btn-primary btn-submit" [disabled]="form.loading || ppLoading"> <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> <form #ppButtonForm action="{{ ppButtonFormAction }}" method="post" target="_top"> <input type="hidden" name="cmd" value="_xclick" /> <input type="hidden" name="business" value="{{ ppButtonBusinessId }}" /> <input type="hidden" name="button_subtype" value="services" /> <input type="hidden" name="no_note" value="1" /> <input type="hidden" name="no_shipping" value="1" /> <input type="hidden" name="rm" value="1" /> <input type="hidden" name="return" value="{{ returnUrl }}" /> <input type="hidden" name="cancel_return" value="{{ returnUrl }}" /> <input type="hidden" name="currency_code" value="USD" /> <input type="hidden" name="image_url" value="https://bitwarden.com/images/paypal-banner.png" /> <input type="hidden" name="bn" value="PP-BuyNowBF:btn_buynow_LG.gif:NonHosted" /> <input type="hidden" name="amount" value="{{ creditAmount }}" /> <input type="hidden" name="custom" value="{{ ppButtonCustomField }}" /> <input type="hidden" name="item_name" value="Bitwarden Account Credit" /> <input type="hidden" name="item_number" value="{{ subject }}" /> </form>
bitwarden/web/src/app/settings/add-credit.component.html/0
{ "file_path": "bitwarden/web/src/app/settings/add-credit.component.html", "repo_id": "bitwarden", "token_count": 1504 }
146
<div class="container page-content"> <div class="row"> <div class="col-12"> <div class="page-header"> <h1>{{ "newOrganization" | i18n }}</h1> </div> <p>{{ "newOrganizationDesc" | i18n }}</p> <app-organization-plans></app-organization-plans> </div> </div> </div>
bitwarden/web/src/app/settings/create-organization.component.html/0
{ "file_path": "bitwarden/web/src/app/settings/create-organization.component.html", "repo_id": "bitwarden", "token_count": 143 }
147
import { Component, OnInit, ViewChild, ViewContainerRef } from "@angular/core"; import { ActivatedRoute, Router } from "@angular/router"; import { ModalService } from "jslib-angular/services/modal.service"; import { ApiService } from "jslib-common/abstractions/api.service"; import { CipherService } from "jslib-common/abstractions/cipher.service"; import { CryptoService } from "jslib-common/abstractions/crypto.service"; import { CipherData } from "jslib-common/models/data/cipherData"; import { Cipher } from "jslib-common/models/domain/cipher"; import { SymmetricCryptoKey } from "jslib-common/models/domain/symmetricCryptoKey"; import { EmergencyAccessViewResponse } from "jslib-common/models/response/emergencyAccessResponse"; import { CipherView } from "jslib-common/models/view/cipherView"; import { EmergencyAccessAttachmentsComponent } from "./emergency-access-attachments.component"; import { EmergencyAddEditComponent } from "./emergency-add-edit.component"; @Component({ selector: "emergency-access-view", templateUrl: "emergency-access-view.component.html", }) export class EmergencyAccessViewComponent implements OnInit { @ViewChild("cipherAddEdit", { read: ViewContainerRef, static: true }) cipherAddEditModalRef: ViewContainerRef; @ViewChild("attachments", { read: ViewContainerRef, static: true }) attachmentsModalRef: ViewContainerRef; id: string; ciphers: CipherView[] = []; loaded = false; constructor( private cipherService: CipherService, private cryptoService: CryptoService, private modalService: ModalService, private router: Router, private route: ActivatedRoute, private apiService: ApiService ) {} ngOnInit() { this.route.params.subscribe((qParams) => { if (qParams.id == null) { return this.router.navigate(["settings/emergency-access"]); } this.id = qParams.id; this.load(); }); } async selectCipher(cipher: CipherView) { // eslint-disable-next-line const [_, childComponent] = await this.modalService.openViewRef( EmergencyAddEditComponent, this.cipherAddEditModalRef, (comp) => { comp.cipherId = cipher == null ? null : cipher.id; comp.cipher = cipher; } ); return childComponent; } async load() { const response = await this.apiService.postEmergencyAccessView(this.id); this.ciphers = await this.getAllCiphers(response); this.loaded = true; } async viewAttachments(cipher: CipherView) { await this.modalService.openViewRef( EmergencyAccessAttachmentsComponent, this.attachmentsModalRef, (comp) => { comp.cipher = cipher; comp.emergencyAccessId = this.id; } ); } protected async getAllCiphers(response: EmergencyAccessViewResponse): Promise<CipherView[]> { const ciphers = response.ciphers; const decCiphers: CipherView[] = []; const oldKeyBuffer = await this.cryptoService.rsaDecrypt(response.keyEncrypted); const oldEncKey = new SymmetricCryptoKey(oldKeyBuffer); const promises: any[] = []; ciphers.forEach((cipherResponse) => { const cipherData = new CipherData(cipherResponse); const cipher = new Cipher(cipherData); promises.push(cipher.decrypt(oldEncKey).then((c) => decCiphers.push(c))); }); await Promise.all(promises); decCiphers.sort(this.cipherService.getLocaleSortingFunction()); return decCiphers; } }
bitwarden/web/src/app/settings/emergency-access-view.component.ts/0
{ "file_path": "bitwarden/web/src/app/settings/emergency-access-view.component.ts", "repo_id": "bitwarden", "token_count": 1194 }
148
<div class="modal fade" role="dialog" aria-modal="true" aria-labelledby="purgeVaultTitle"> <div class="modal-dialog modal-dialog-scrollable" role="document"> <form class="modal-content" #form (ngSubmit)="submit()" [appApiAction]="formPromise" ngNativeValidate > <div class="modal-header"> <h2 class="modal-title" id="purgeVaultTitle">{{ "purgeVault" | i18n }}</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>{{ (organizationId ? "purgeOrgVaultDesc" : "purgeVaultDesc") | i18n }}</p> <app-callout type="warning">{{ "purgeVaultWarning" | i18n }}</app-callout> <app-user-verification [(ngModel)]="masterPassword" ngDefaultControl name="secret"> </app-user-verification> </div> <div class="modal-footer"> <button type="submit" class="btn btn-danger btn-submit" [disabled]="form.loading"> <i class="bwi bwi-spinner bwi-spin" title="{{ 'loading' | i18n }}" aria-hidden="true"></i> <span>{{ "purgeVault" | i18n }}</span> </button> <button type="button" class="btn btn-outline-secondary" data-dismiss="modal"> {{ "close" | i18n }} </button> </div> </form> </div> </div>
bitwarden/web/src/app/settings/purge-vault.component.html/0
{ "file_path": "bitwarden/web/src/app/settings/purge-vault.component.html", "repo_id": "bitwarden", "token_count": 698 }
149
<div class="row"> <div class="col-6"> <div class="form-group"> <label for="addressCountry">{{ "country" | i18n }}</label> <select id="addressCountry" class="form-control" [(ngModel)]="taxInfo.country" required name="addressCountry" autocomplete="country" (change)="changeCountry()" > <option value="">-- Select --</option> <option value="US">United States</option> <option value="CN">China</option> <option value="FR">France</option> <option value="DE">Germany</option> <option value="CA">Canada</option> <option value="GB">United Kingdom</option> <option value="AU">Australia</option> <option value="IN">India</option> <option value="-" disabled></option> <option value="AF">Afghanistan</option> <option value="AX">Åland Islands</option> <option value="AL">Albania</option> <option value="DZ">Algeria</option> <option value="AS">American Samoa</option> <option value="AD">Andorra</option> <option value="AO">Angola</option> <option value="AI">Anguilla</option> <option value="AQ">Antarctica</option> <option value="AG">Antigua and Barbuda</option> <option value="AR">Argentina</option> <option value="AM">Armenia</option> <option value="AW">Aruba</option> <option value="AT">Austria</option> <option value="AZ">Azerbaijan</option> <option value="BS">Bahamas</option> <option value="BH">Bahrain</option> <option value="BD">Bangladesh</option> <option value="BB">Barbados</option> <option value="BY">Belarus</option> <option value="BE">Belgium</option> <option value="BZ">Belize</option> <option value="BJ">Benin</option> <option value="BM">Bermuda</option> <option value="BT">Bhutan</option> <option value="BO">Bolivia, Plurinational State of</option> <option value="BQ">Bonaire, Sint Eustatius and Saba</option> <option value="BA">Bosnia and Herzegovina</option> <option value="BW">Botswana</option> <option value="BV">Bouvet Island</option> <option value="BR">Brazil</option> <option value="IO">British Indian Ocean Territory</option> <option value="BN">Brunei Darussalam</option> <option value="BG">Bulgaria</option> <option value="BF">Burkina Faso</option> <option value="BI">Burundi</option> <option value="KH">Cambodia</option> <option value="CM">Cameroon</option> <option value="CV">Cape Verde</option> <option value="KY">Cayman Islands</option> <option value="CF">Central African Republic</option> <option value="TD">Chad</option> <option value="CL">Chile</option> <option value="CX">Christmas Island</option> <option value="CC">Cocos (Keeling) Islands</option> <option value="CO">Colombia</option> <option value="KM">Comoros</option> <option value="CG">Congo</option> <option value="CD">Congo, the Democratic Republic of the</option> <option value="CK">Cook Islands</option> <option value="CR">Costa Rica</option> <option value="CI">Côte d'Ivoire</option> <option value="HR">Croatia</option> <option value="CU">Cuba</option> <option value="CW">Curaçao</option> <option value="CY">Cyprus</option> <option value="CZ">Czech Republic</option> <option value="DK">Denmark</option> <option value="DJ">Djibouti</option> <option value="DM">Dominica</option> <option value="DO">Dominican Republic</option> <option value="EC">Ecuador</option> <option value="EG">Egypt</option> <option value="SV">El Salvador</option> <option value="GQ">Equatorial Guinea</option> <option value="ER">Eritrea</option> <option value="EE">Estonia</option> <option value="ET">Ethiopia</option> <option value="FK">Falkland Islands (Malvinas)</option> <option value="FO">Faroe Islands</option> <option value="FJ">Fiji</option> <option value="FI">Finland</option> <option value="GF">French Guiana</option> <option value="PF">French Polynesia</option> <option value="TF">French Southern Territories</option> <option value="GA">Gabon</option> <option value="GM">Gambia</option> <option value="GE">Georgia</option> <option value="GH">Ghana</option> <option value="GI">Gibraltar</option> <option value="GR">Greece</option> <option value="GL">Greenland</option> <option value="GD">Grenada</option> <option value="GP">Guadeloupe</option> <option value="GU">Guam</option> <option value="GT">Guatemala</option> <option value="GG">Guernsey</option> <option value="GN">Guinea</option> <option value="GW">Guinea-Bissau</option> <option value="GY">Guyana</option> <option value="HT">Haiti</option> <option value="HM">Heard Island and McDonald Islands</option> <option value="VA">Holy See (Vatican City State)</option> <option value="HN">Honduras</option> <option value="HK">Hong Kong</option> <option value="HU">Hungary</option> <option value="IS">Iceland</option> <option value="ID">Indonesia</option> <option value="IR">Iran, Islamic Republic of</option> <option value="IQ">Iraq</option> <option value="IE">Ireland</option> <option value="IM">Isle of Man</option> <option value="IL">Israel</option> <option value="IT">Italy</option> <option value="JM">Jamaica</option> <option value="JP">Japan</option> <option value="JE">Jersey</option> <option value="JO">Jordan</option> <option value="KZ">Kazakhstan</option> <option value="KE">Kenya</option> <option value="KI">Kiribati</option> <option value="KP">Korea, Democratic People's Republic of</option> <option value="KR">Korea, Republic of</option> <option value="KW">Kuwait</option> <option value="KG">Kyrgyzstan</option> <option value="LA">Lao People's Democratic Republic</option> <option value="LV">Latvia</option> <option value="LB">Lebanon</option> <option value="LS">Lesotho</option> <option value="LR">Liberia</option> <option value="LY">Libya</option> <option value="LI">Liechtenstein</option> <option value="LT">Lithuania</option> <option value="LU">Luxembourg</option> <option value="MO">Macao</option> <option value="MK">Macedonia, the former Yugoslav Republic of</option> <option value="MG">Madagascar</option> <option value="MW">Malawi</option> <option value="MY">Malaysia</option> <option value="MV">Maldives</option> <option value="ML">Mali</option> <option value="MT">Malta</option> <option value="MH">Marshall Islands</option> <option value="MQ">Martinique</option> <option value="MR">Mauritania</option> <option value="MU">Mauritius</option> <option value="YT">Mayotte</option> <option value="MX">Mexico</option> <option value="FM">Micronesia, Federated States of</option> <option value="MD">Moldova, Republic of</option> <option value="MC">Monaco</option> <option value="MN">Mongolia</option> <option value="ME">Montenegro</option> <option value="MS">Montserrat</option> <option value="MA">Morocco</option> <option value="MZ">Mozambique</option> <option value="MM">Myanmar</option> <option value="NA">Namibia</option> <option value="NR">Nauru</option> <option value="NP">Nepal</option> <option value="NL">Netherlands</option> <option value="NC">New Caledonia</option> <option value="NZ">New Zealand</option> <option value="NI">Nicaragua</option> <option value="NE">Niger</option> <option value="NG">Nigeria</option> <option value="NU">Niue</option> <option value="NF">Norfolk Island</option> <option value="MP">Northern Mariana Islands</option> <option value="NO">Norway</option> <option value="OM">Oman</option> <option value="PK">Pakistan</option> <option value="PW">Palau</option> <option value="PS">Palestinian Territory, Occupied</option> <option value="PA">Panama</option> <option value="PG">Papua New Guinea</option> <option value="PY">Paraguay</option> <option value="PE">Peru</option> <option value="PH">Philippines</option> <option value="PN">Pitcairn</option> <option value="PL">Poland</option> <option value="PT">Portugal</option> <option value="PR">Puerto Rico</option> <option value="QA">Qatar</option> <option value="RE">Réunion</option> <option value="RO">Romania</option> <option value="RU">Russian Federation</option> <option value="RW">Rwanda</option> <option value="BL">Saint Barthélemy</option> <option value="SH">Saint Helena, Ascension and Tristan da Cunha</option> <option value="KN">Saint Kitts and Nevis</option> <option value="LC">Saint Lucia</option> <option value="MF">Saint Martin (French part)</option> <option value="PM">Saint Pierre and Miquelon</option> <option value="VC">Saint Vincent and the Grenadines</option> <option value="WS">Samoa</option> <option value="SM">San Marino</option> <option value="ST">Sao Tome and Principe</option> <option value="SA">Saudi Arabia</option> <option value="SN">Senegal</option> <option value="RS">Serbia</option> <option value="SC">Seychelles</option> <option value="SL">Sierra Leone</option> <option value="SG">Singapore</option> <option value="SX">Sint Maarten (Dutch part)</option> <option value="SK">Slovakia</option> <option value="SI">Slovenia</option> <option value="SB">Solomon Islands</option> <option value="SO">Somalia</option> <option value="ZA">South Africa</option> <option value="GS">South Georgia and the South Sandwich Islands</option> <option value="SS">South Sudan</option> <option value="ES">Spain</option> <option value="LK">Sri Lanka</option> <option value="SD">Sudan</option> <option value="SR">Suriname</option> <option value="SJ">Svalbard and Jan Mayen</option> <option value="SZ">Swaziland</option> <option value="SE">Sweden</option> <option value="CH">Switzerland</option> <option value="SY">Syrian Arab Republic</option> <option value="TW">Taiwan</option> <option value="TJ">Tajikistan</option> <option value="TZ">Tanzania, United Republic of</option> <option value="TH">Thailand</option> <option value="TL">Timor-Leste</option> <option value="TG">Togo</option> <option value="TK">Tokelau</option> <option value="TO">Tonga</option> <option value="TT">Trinidad and Tobago</option> <option value="TN">Tunisia</option> <option value="TR">Turkey</option> <option value="TM">Turkmenistan</option> <option value="TC">Turks and Caicos Islands</option> <option value="TV">Tuvalu</option> <option value="UG">Uganda</option> <option value="UA">Ukraine</option> <option value="AE">United Arab Emirates</option> <option value="UM">United States Minor Outlying Islands</option> <option value="UY">Uruguay</option> <option value="UZ">Uzbekistan</option> <option value="VU">Vanuatu</option> <option value="VE">Venezuela, Bolivarian Republic of</option> <option value="VN">Viet Nam</option> <option value="VG">Virgin Islands, British</option> <option value="VI">Virgin Islands, U.S.</option> <option value="WF">Wallis and Futuna</option> <option value="EH">Western Sahara</option> <option value="YE">Yemen</option> <option value="ZM">Zambia</option> <option value="ZW">Zimbabwe</option> </select> </div> </div> <div class="col-3"> <div class="form-group"> <label for="addressPostalCode">{{ "zipPostalCode" | i18n }}</label> <input id="addressPostalCode" class="form-control" type="text" name="addressPostalCode" [(ngModel)]="taxInfo.postalCode" [required]="taxInfo.country === 'US'" autocomplete="postal-code" /> </div> </div> <div class="col-6" *ngIf="organizationId && taxInfo.country !== 'US'"> <div class="form-group form-check"> <input class="form-check-input" id="addressIncludeTaxId" name="addressIncludeTaxId" type="checkbox" [(ngModel)]="taxInfo.includeTaxId" /> <label class="form-check-label" for="addressIncludeTaxId">{{ "includeVAT" | i18n }}</label> </div> </div> </div> <div class="row" *ngIf="organizationId && taxInfo.includeTaxId"> <div class="col-6"> <div class="form-group"> <label for="taxId">{{ "taxIdNumber" | i18n }}</label> <input id="taxId" class="form-control" type="text" name="taxId" [(ngModel)]="taxInfo.taxId" /> </div> </div> </div> <div class="row" *ngIf="organizationId && taxInfo.includeTaxId"> <div class="col-6"> <div class="form-group"> <label for="addressLine1">{{ "address1" | i18n }}</label> <input id="addressLine1" class="form-control" type="text" name="addressLine1" [(ngModel)]="taxInfo.line1" autocomplete="address-line1" /> </div> </div> <div class="col-6"> <div class="form-group"> <label for="addressLine2">{{ "address2" | i18n }}</label> <input id="addressLine2" class="form-control" type="text" name="addressLine2" [(ngModel)]="taxInfo.line2" autocomplete="address-line2" /> </div> </div> <div class="col-6"> <div class="form-group"> <label for="addressCity">{{ "cityTown" | i18n }}</label> <input id="addressCity" class="form-control" type="text" name="addressCity" [(ngModel)]="taxInfo.city" autocomplete="address-level2" /> </div> </div> <div class="col-6"> <div class="form-group"> <label for="addressState">{{ "stateProvince" | i18n }}</label> <input id="addressState" class="form-control" type="text" name="addressState" [(ngModel)]="taxInfo.state" autocomplete="address-level1" /> </div> </div> </div>
bitwarden/web/src/app/settings/tax-info.component.html/0
{ "file_path": "bitwarden/web/src/app/settings/tax-info.component.html", "repo_id": "bitwarden", "token_count": 6511 }
150
import { Component, NgZone } from "@angular/core"; import { ApiService } from "jslib-common/abstractions/api.service"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { LogService } from "jslib-common/abstractions/log.service"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { UserVerificationService } from "jslib-common/abstractions/userVerification.service"; import { TwoFactorProviderType } from "jslib-common/enums/twoFactorProviderType"; import { SecretVerificationRequest } from "jslib-common/models/request/secretVerificationRequest"; import { UpdateTwoFactorWebAuthnDeleteRequest } from "jslib-common/models/request/updateTwoFactorWebAuthnDeleteRequest"; import { UpdateTwoFactorWebAuthnRequest } from "jslib-common/models/request/updateTwoFactorWebAuthnRequest"; import { ChallengeResponse, TwoFactorWebAuthnResponse, } from "jslib-common/models/response/twoFactorWebAuthnResponse"; import { TwoFactorBaseComponent } from "./two-factor-base.component"; @Component({ selector: "app-two-factor-webauthn", templateUrl: "two-factor-webauthn.component.html", }) export class TwoFactorWebAuthnComponent extends TwoFactorBaseComponent { type = TwoFactorProviderType.WebAuthn; name: string; keys: any[]; keyIdAvailable: number = null; keysConfiguredCount = 0; webAuthnError: boolean; webAuthnListening: boolean; webAuthnResponse: PublicKeyCredential; challengePromise: Promise<ChallengeResponse>; formPromise: Promise<any>; constructor( apiService: ApiService, i18nService: I18nService, platformUtilsService: PlatformUtilsService, private ngZone: NgZone, logService: LogService, userVerificationService: UserVerificationService ) { super(apiService, i18nService, platformUtilsService, logService, userVerificationService); } auth(authResponse: any) { super.auth(authResponse); this.processResponse(authResponse.response); } async submit() { if (this.webAuthnResponse == null || this.keyIdAvailable == null) { // Should never happen. return Promise.reject(); } const request = await this.buildRequestModel(UpdateTwoFactorWebAuthnRequest); request.deviceResponse = this.webAuthnResponse; request.id = this.keyIdAvailable; request.name = this.name; return super.enable(async () => { this.formPromise = this.apiService.putTwoFactorWebAuthn(request); const response = await this.formPromise; await this.processResponse(response); }); } disable() { return super.disable(this.formPromise); } async remove(key: any) { if (this.keysConfiguredCount <= 1 || key.removePromise != null) { return; } const name = key.name != null ? key.name : this.i18nService.t("webAuthnkeyX", key.id); const confirmed = await this.platformUtilsService.showDialog( this.i18nService.t("removeU2fConfirmation"), name, this.i18nService.t("yes"), this.i18nService.t("no"), "warning" ); if (!confirmed) { return; } const request = await this.buildRequestModel(UpdateTwoFactorWebAuthnDeleteRequest); request.id = key.id; try { key.removePromise = this.apiService.deleteTwoFactorWebAuthn(request); const response = await key.removePromise; key.removePromise = null; await this.processResponse(response); } catch (e) { this.logService.error(e); } } async readKey() { if (this.keyIdAvailable == null) { return; } const request = await this.buildRequestModel(SecretVerificationRequest); try { this.challengePromise = this.apiService.getTwoFactorWebAuthnChallenge(request); const challenge = await this.challengePromise; this.readDevice(challenge); } catch (e) { this.logService.error(e); } } private readDevice(webAuthnChallenge: ChallengeResponse) { // eslint-disable-next-line console.log("listening for key..."); this.resetWebAuthn(true); navigator.credentials .create({ publicKey: webAuthnChallenge, }) .then((data: PublicKeyCredential) => { this.ngZone.run(() => { this.webAuthnListening = false; this.webAuthnResponse = data; }); }) .catch((err) => { // eslint-disable-next-line console.error(err); this.resetWebAuthn(false); // TODO: Should we display the actual error? this.webAuthnError = true; }); } private resetWebAuthn(listening = false) { this.webAuthnResponse = null; this.webAuthnError = false; this.webAuthnListening = listening; } private processResponse(response: TwoFactorWebAuthnResponse) { this.resetWebAuthn(); this.keys = []; this.keyIdAvailable = null; this.name = null; this.keysConfiguredCount = 0; for (let i = 1; i <= 5; i++) { if (response.keys != null) { const key = response.keys.filter((k) => k.id === i); if (key.length > 0) { this.keysConfiguredCount++; this.keys.push({ id: i, name: key[0].name, configured: true, migrated: key[0].migrated, removePromise: null, }); continue; } } this.keys.push({ id: i, name: null, configured: false, removePromise: null }); if (this.keyIdAvailable == null) { this.keyIdAvailable = i; } } this.enabled = response.enabled; } }
bitwarden/web/src/app/settings/two-factor-webauthn.component.ts/0
{ "file_path": "bitwarden/web/src/app/settings/two-factor-webauthn.component.ts", "repo_id": "bitwarden", "token_count": 2096 }
151
import { Component } from "@angular/core"; import { FormBuilder } from "@angular/forms"; import { ExportComponent as BaseExportComponent } from "jslib-angular/components/export.component"; import { CryptoService } from "jslib-common/abstractions/crypto.service"; import { EventService } from "jslib-common/abstractions/event.service"; import { ExportService } from "jslib-common/abstractions/export.service"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { LogService } from "jslib-common/abstractions/log.service"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { PolicyService } from "jslib-common/abstractions/policy.service"; import { UserVerificationService } from "jslib-common/abstractions/userVerification.service"; @Component({ selector: "app-export", templateUrl: "export.component.html", }) export class ExportComponent extends BaseExportComponent { organizationId: string; constructor( cryptoService: CryptoService, i18nService: I18nService, platformUtilsService: PlatformUtilsService, exportService: ExportService, eventService: EventService, policyService: PolicyService, logService: LogService, userVerificationService: UserVerificationService, formBuilder: FormBuilder ) { super( cryptoService, i18nService, platformUtilsService, exportService, eventService, policyService, window, logService, userVerificationService, formBuilder ); } protected saved() { super.saved(); this.platformUtilsService.showToast("success", null, this.i18nService.t("exportSuccess")); } }
bitwarden/web/src/app/tools/export.component.ts/0
{ "file_path": "bitwarden/web/src/app/tools/export.component.ts", "repo_id": "bitwarden", "token_count": 552 }
152
import { Component, Input, ViewChild, ViewContainerRef } from "@angular/core"; import { ModalService } from "jslib-angular/services/modal.service"; import { I18nService } from "jslib-common/abstractions/i18n.service"; import { PasswordRepromptService } from "jslib-common/abstractions/passwordReprompt.service"; import { PlatformUtilsService } from "jslib-common/abstractions/platformUtils.service"; import { CipherRepromptType } from "jslib-common/enums/cipherRepromptType"; import { Organization } from "jslib-common/models/domain/organization"; import { BulkDeleteComponent } from "./bulk-delete.component"; import { BulkMoveComponent } from "./bulk-move.component"; import { BulkRestoreComponent } from "./bulk-restore.component"; import { BulkShareComponent } from "./bulk-share.component"; import { CiphersComponent } from "./ciphers.component"; @Component({ selector: "app-vault-bulk-actions", templateUrl: "bulk-actions.component.html", }) export class BulkActionsComponent { @Input() ciphersComponent: CiphersComponent; @Input() deleted: boolean; @Input() organization: Organization; @ViewChild("bulkDeleteTemplate", { read: ViewContainerRef, static: true }) bulkDeleteModalRef: ViewContainerRef; @ViewChild("bulkRestoreTemplate", { read: ViewContainerRef, static: true }) bulkRestoreModalRef: ViewContainerRef; @ViewChild("bulkMoveTemplate", { read: ViewContainerRef, static: true }) bulkMoveModalRef: ViewContainerRef; @ViewChild("bulkShareTemplate", { read: ViewContainerRef, static: true }) bulkShareModalRef: ViewContainerRef; constructor( private platformUtilsService: PlatformUtilsService, private i18nService: I18nService, private modalService: ModalService, private passwordRepromptService: PasswordRepromptService ) {} async bulkDelete() { if (!(await this.promptPassword())) { return; } const selectedIds = this.ciphersComponent.getSelectedIds(); if (selectedIds.length === 0) { this.platformUtilsService.showToast( "error", this.i18nService.t("errorOccurred"), this.i18nService.t("nothingSelected") ); return; } const [modal] = await this.modalService.openViewRef( BulkDeleteComponent, this.bulkDeleteModalRef, (comp) => { comp.permanent = this.deleted; comp.cipherIds = selectedIds; comp.organization = this.organization; comp.onDeleted.subscribe(async () => { modal.close(); await this.ciphersComponent.refresh(); }); } ); } async bulkRestore() { if (!(await this.promptPassword())) { return; } const selectedIds = this.ciphersComponent.getSelectedIds(); if (selectedIds.length === 0) { this.platformUtilsService.showToast( "error", this.i18nService.t("errorOccurred"), this.i18nService.t("nothingSelected") ); return; } const [modal] = await this.modalService.openViewRef( BulkRestoreComponent, this.bulkRestoreModalRef, (comp) => { comp.cipherIds = selectedIds; comp.onRestored.subscribe(async () => { modal.close(); await this.ciphersComponent.refresh(); }); } ); } async bulkShare() { if (!(await this.promptPassword())) { return; } const selectedCiphers = this.ciphersComponent.getSelected(); if (selectedCiphers.length === 0) { this.platformUtilsService.showToast( "error", this.i18nService.t("errorOccurred"), this.i18nService.t("nothingSelected") ); return; } const [modal] = await this.modalService.openViewRef( BulkShareComponent, this.bulkShareModalRef, (comp) => { comp.ciphers = selectedCiphers; comp.onShared.subscribe(async () => { modal.close(); await this.ciphersComponent.refresh(); }); } ); } async bulkMove() { if (!(await this.promptPassword())) { return; } const selectedIds = this.ciphersComponent.getSelectedIds(); if (selectedIds.length === 0) { this.platformUtilsService.showToast( "error", this.i18nService.t("errorOccurred"), this.i18nService.t("nothingSelected") ); return; } const [modal] = await this.modalService.openViewRef( BulkMoveComponent, this.bulkMoveModalRef, (comp) => { comp.cipherIds = selectedIds; comp.onMoved.subscribe(async () => { modal.close(); await this.ciphersComponent.refresh(); }); } ); } selectAll(select: boolean) { this.ciphersComponent.selectAll(select); } private async promptPassword() { const selectedCiphers = this.ciphersComponent.getSelected(); const notProtected = !selectedCiphers.find( (cipher) => cipher.reprompt !== CipherRepromptType.None ); return notProtected || (await this.passwordRepromptService.showPasswordPrompt()); } }
bitwarden/web/src/app/vault/bulk-actions.component.ts/0
{ "file_path": "bitwarden/web/src/app/vault/bulk-actions.component.ts", "repo_id": "bitwarden", "token_count": 1994 }
153
import { Component, OnDestroy } from "@angular/core"; import { ShareComponent as BaseShareComponent } from "jslib-angular/components/share.component"; import { CipherService } from "jslib-common/abstractions/cipher.service"; import { CollectionService } from "jslib-common/abstractions/collection.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 { CollectionView } from "jslib-common/models/view/collectionView"; @Component({ selector: "app-vault-share", templateUrl: "share.component.html", }) export class ShareComponent extends BaseShareComponent implements OnDestroy { constructor( collectionService: CollectionService, platformUtilsService: PlatformUtilsService, i18nService: I18nService, cipherService: CipherService, organizationService: OrganizationService, logService: LogService ) { super( collectionService, platformUtilsService, i18nService, cipherService, logService, organizationService ); } ngOnDestroy() { this.selectAll(false); } check(c: CollectionView, select?: boolean) { (c as any).checked = select == null ? !(c as any).checked : select; } selectAll(select: boolean) { const collections = select ? this.collections : this.writeableCollections; collections.forEach((c) => this.check(c, select)); } }
bitwarden/web/src/app/vault/share.component.ts/0
{ "file_path": "bitwarden/web/src/app/vault/share.component.ts", "repo_id": "bitwarden", "token_count": 512 }
154
<!DOCTYPE html> <html class="theme_light"> <head> <meta charset="utf-8" /> <title>Bitwarden WebAuthn Connector</title> </head> <body class="layout_frontend"> <div class="container"> <div class="row justify-content-center mt-5"> <div class="col-5"> <img src="../images/logo-dark@2x.png" class="mb-4 logo" alt="Bitwarden" /> <div id="spinner"> <p class="text-center"> <i class="bwi bwi-spinner bwi-spin bwi-2x text-muted" title="Loading" aria-hidden="true" ></i> </p> </div> <div id="content" class="card mt-4 d-none"> <div class="card-body ng-star-inserted"> <p id="msg" class="text-center"></p> <div class="form-check"> <input type="checkbox" class="form-check-input" id="remember" name="remember" /> <label class="form-check-label" for="remember" id="remember-label"></label> </div> <hr /> <p class="text-center mb-0"> <button id="webauthn-button" class="btn btn-primary btn-lg"></button> </p> </div> </div> </div> </div> </div> </body> </html>
bitwarden/web/src/connectors/webauthn-fallback.html/0
{ "file_path": "bitwarden/web/src/connectors/webauthn-fallback.html", "repo_id": "bitwarden", "token_count": 702 }
155
{ "pageTitle": { "message": "$APP_NAME$ Reta Volbo", "description": "The title of the website in the browser window.", "placeholders": { "app_name": { "content": "$1", "example": "Bitwarden" } } }, "whatTypeOfItem": { "message": "Kia speco de ero estas ĉi tio?" }, "name": { "message": "Nomo" }, "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": "Nova URI" }, "username": { "message": "Uzantnomo" }, "password": { "message": "Pasvorto" }, "newPassword": { "message": "Nova pasvorto" }, "passphrase": { "message": "Pasfrazo" }, "notes": { "message": "Notoj" }, "customFields": { "message": "Propraj Kampoj" }, "cardholderName": { "message": "Nomo de Kartposedanto" }, "number": { "message": "Numero" }, "brand": { "message": "Marko" }, "expiration": { "message": "Finiĝo" }, "securityCode": { "message": "Sekureca Kodo (CVV)" }, "identityName": { "message": "Identeca Nomo" }, "company": { "message": "Kompanio" }, "ssn": { "message": "Socia Sekureca Numero" }, "passportNumber": { "message": "Pasporta Numero" }, "licenseNumber": { "message": "Permesila Numero" }, "email": { "message": "Retpoŝto" }, "phone": { "message": "Telefono" }, "january": { "message": "januaro" }, "february": { "message": "februaro" }, "march": { "message": "marto" }, "april": { "message": "aprilo" }, "may": { "message": "majo" }, "june": { "message": "junio" }, "july": { "message": "julio" }, "august": { "message": "aŭgusto" }, "september": { "message": "septembro" }, "october": { "message": "oktobro" }, "november": { "message": "novembro" }, "december": { "message": "decembro" }, "title": { "message": "Titolo" }, "mr": { "message": "S-ro" }, "mrs": { "message": "Sinjorino" }, "ms": { "message": "Sinjorino" }, "dr": { "message": "Dr" }, "expirationMonth": { "message": "Finiĝa Monato" }, "expirationYear": { "message": "Finiĝa Jaro" }, "authenticatorKeyTotp": { "message": "Aŭtentiga Ŝlosilo (TOTP)" }, "folder": { "message": "Dosierujo" }, "newCustomField": { "message": "Nova Propra Kampo" }, "value": { "message": "Valoro" }, "dragToSort": { "message": "Trenu por ordigi" }, "cfTypeText": { "message": "Teksto" }, "cfTypeHidden": { "message": "Kaŝita" }, "cfTypeBoolean": { "message": "Bulea" }, "cfTypeLinked": { "message": "Linked", "description": "This describes a field that is 'linked' (related) to another field." }, "remove": { "message": "Forigi" }, "unassigned": { "message": "Neasignita" }, "noneFolder": { "message": "Neniu dosierujo", "description": "This is the folder for uncategorized items" }, "addFolder": { "message": "Aldoni dosierujon" }, "editFolder": { "message": "Redakti dosierujon" }, "baseDomain": { "message": "Baza domajno", "description": "Domain name. Ex. website.com" }, "domainName": { "message": "Domain Name", "description": "Domain name. Ex. website.com" }, "host": { "message": "Gastiganto", "description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'." }, "exact": { "message": "Ĝusta" }, "startsWith": { "message": "Komencas per" }, "regEx": { "message": "Regula esprimo", "description": "A programming term, also known as 'RegEx'." }, "matchDetection": { "message": "Match Match", "description": "URI match detection for auto-fill." }, "defaultMatchDetection": { "message": "Defaŭlta kongrua detekto", "description": "Default URI match detection for auto-fill." }, "never": { "message": "Neniam" }, "toggleVisibility": { "message": "Baskuli videblecon" }, "toggleCollapse": { "message": "Baskuli Fali", "description": "Toggling an expand/collapse state." }, "generatePassword": { "message": "Generi Pasvorton" }, "checkPassword": { "message": "Kontrolu ĉu pasvorto estis elmontrita." }, "passwordExposed": { "message": "Ĉi tiu pasvorto estis elmontrita $VALUE$ tempo (j) en datumaj rompoj. Vi devas ŝanĝi ĝin.", "placeholders": { "value": { "content": "$1", "example": "2" } } }, "passwordSafe": { "message": "Ĉi tiu pasvorto ne troviĝis en iuj konataj rompo de datumoj. Ĝi estu sekure uzebla." }, "save": { "message": "Konservi" }, "cancel": { "message": "Nuligi" }, "canceled": { "message": "Nuligita" }, "close": { "message": "Fermi" }, "delete": { "message": "Forigi" }, "favorite": { "message": "Plej ŝatata" }, "unfavorite": { "message": "Malfavoras" }, "edit": { "message": "Redakti" }, "searchCollection": { "message": "Serĉi Kolekton" }, "searchFolder": { "message": "Serĉi dosierujon" }, "searchFavorites": { "message": "Serĉi Favoratojn" }, "searchType": { "message": "Serĉspeco", "description": "Search item type" }, "searchVault": { "message": "Serĉi Volbon" }, "allItems": { "message": "Ĉiuj Eroj" }, "favorites": { "message": "Ŝatataj" }, "types": { "message": "Tipoj" }, "typeLogin": { "message": "Ensaluti" }, "typeCard": { "message": "Karto" }, "typeIdentity": { "message": "Identeco" }, "typeSecureNote": { "message": "Sekura Noto" }, "typeLoginPlural": { "message": "Logins" }, "typeCardPlural": { "message": "Cards" }, "typeIdentityPlural": { "message": "Identities" }, "typeSecureNotePlural": { "message": "Secure Notes" }, "folders": { "message": "Dosierujoj" }, "collections": { "message": "Kolektoj" }, "firstName": { "message": "Antaŭnomo" }, "middleName": { "message": "Meza nomo" }, "lastName": { "message": "Lasta nomo" }, "fullName": { "message": "Full Name" }, "address1": { "message": "Adreso 1" }, "address2": { "message": "Adreso 2" }, "address3": { "message": "Adreso 3" }, "cityTown": { "message": "Urbo / Urbo" }, "stateProvince": { "message": "Ŝtato / Provinco" }, "zipPostalCode": { "message": "Poŝtkodo / Poŝtkodo" }, "country": { "message": "Lando" }, "shared": { "message": "Kunhavigita" }, "attachments": { "message": "Aldonaĵoj" }, "select": { "message": "Elektu" }, "addItem": { "message": "Aldoni Artikolon" }, "editItem": { "message": "Redakti Artikolon" }, "viewItem": { "message": "Vidigi Artikolon" }, "ex": { "message": "ekz.", "description": "Short abbreviation for 'example'." }, "other": { "message": "Aliaj" }, "share": { "message": "Kunhavigi" }, "moveToOrganization": { "message": "Move to Organization" }, "valueCopied": { "message": "$VALUE$ kopiita", "description": "Value has been copied to the clipboard.", "placeholders": { "value": { "content": "$1", "example": "Password" } } }, "copyValue": { "message": "Kopii valoron", "description": "Copy value to clipboard" }, "copyPassword": { "message": "Kopii pasvorton", "description": "Copy password to clipboard" }, "copyUsername": { "message": "Kopii uzantnomon", "description": "Copy username to clipboard" }, "copyNumber": { "message": "Kopii Numeron", "description": "Copy credit card number" }, "copySecurityCode": { "message": "Kopiu Sekureckodon", "description": "Copy credit card security code (CVV)" }, "copyUri": { "message": "Kopii URI", "description": "Copy URI to clipboard" }, "myVault": { "message": "Mia Volbo" }, "vault": { "message": "Volbo" }, "moveSelectedToOrg": { "message": "Move Selected to Organization" }, "deleteSelected": { "message": "Forigi Elektitajn" }, "moveSelected": { "message": "Movi Elektitan" }, "selectAll": { "message": "Elekti ĉiujn" }, "unselectAll": { "message": "Malelekti ĉiujn" }, "launch": { "message": "Lanĉo" }, "newAttachment": { "message": "Aldoni Novan Aldonaĵon" }, "deletedAttachment": { "message": "Forigita aldonaĵo" }, "deleteAttachmentConfirmation": { "message": "Ĉu vi certe volas forigi ĉi tiun aldonaĵon?" }, "attachmentSaved": { "message": "La aldonaĵo estas konservita." }, "file": { "message": "Dosiero" }, "selectFile": { "message": "Elektu dosieron." }, "maxFileSize": { "message": "Maksimuma dosiergrandeco estas 500 MB." }, "updateKey": { "message": "Vi ne povas uzi ĉi tiun funkcion antaŭ ol vi ĝisdatigos vian ĉifran ŝlosilon." }, "addedItem": { "message": "Aldonita ero" }, "editedItem": { "message": "Redaktita ero" }, "movedItemToOrg": { "message": "$ITEMNAME$ moved to $ORGNAME$", "placeholders": { "itemname": { "content": "$1", "example": "Secret Item" }, "orgname": { "content": "$2", "example": "Company Name" } } }, "movedItemsToOrg": { "message": "Selected items moved to $ORGNAME$", "placeholders": { "orgname": { "content": "$1", "example": "Company Name" } } }, "deleteItem": { "message": "Forigi Artikolon" }, "deleteFolder": { "message": "Forigi dosierujon" }, "deleteAttachment": { "message": "Forigi Aldonaĵon" }, "deleteItemConfirmation": { "message": "Ĉu vi vere volas sendi al la rubujo?" }, "deletedItem": { "message": "Artikolo sendita al rubujo" }, "deletedItems": { "message": "Eroj senditaj al rubujo" }, "movedItems": { "message": "Movitaj eroj" }, "overwritePasswordConfirmation": { "message": "Ĉu vi certe volas anstataŭigi la nunan pasvorton?" }, "editedFolder": { "message": "Redaktita dosierujo" }, "addedFolder": { "message": "Aldonita dosierujo" }, "deleteFolderConfirmation": { "message": "Ĉu vi certe volas forigi ĉi tiun dosierujon?" }, "deletedFolder": { "message": "Forigita dosierujo" }, "loggedOut": { "message": "Elsalutita" }, "loginExpired": { "message": "Via ensaluta kunsido eksvalidiĝis." }, "logOutConfirmation": { "message": "Ĉu vi certe volas elsaluti?" }, "logOut": { "message": "Eliri" }, "ok": { "message": "Bone" }, "yes": { "message": "Jes" }, "no": { "message": "Ne" }, "loginOrCreateNewAccount": { "message": "Ensalutu aŭ kreu novan konton por aliri vian sekuran trezorejon." }, "createAccount": { "message": "Krei konton" }, "logIn": { "message": "Ensaluti" }, "submit": { "message": "Sendu" }, "emailAddressDesc": { "message": "Vi uzos vian retpoŝtan adreson por ensaluti." }, "yourName": { "message": "Via nomo" }, "yourNameDesc": { "message": "Kiel ni nomu vin?" }, "masterPass": { "message": "Majstra Pasvorto" }, "masterPassDesc": { "message": "La ĉefa pasvorto estas la pasvorto, kiun vi uzas por aliri vian trezorejon. Tre gravas, ke vi ne forgesu vian ĉefan pasvorton. Ne eblas retrovi la pasvorton, se vi forgesos ĝin." }, "masterPassHintDesc": { "message": "Majstra pasvorta sugesto povas helpi vin memori vian pasvorton se vi forgesas ĝin." }, "reTypeMasterPass": { "message": "Retajpu Majstran Pasvorton" }, "masterPassHint": { "message": "Majstra Pasvorta Konsilo (nedeviga)" }, "masterPassHintLabel": { "message": "Majstra Pasvorta Konsilo" }, "settings": { "message": "Agordoj" }, "passwordHint": { "message": "Pasvorta Konsilo" }, "enterEmailToGetHint": { "message": "Enigu vian retpoŝtadreson por ricevi vian ĉefan pasvortan aludon." }, "getMasterPasswordHint": { "message": "Akiru ĉefan pasvortan sugeston" }, "emailRequired": { "message": "Retpoŝta adreso estas bezonata." }, "invalidEmail": { "message": "Nevalida retpoŝta adreso." }, "masterPassRequired": { "message": "Majstra pasvorto necesas." }, "masterPassLength": { "message": "Majstra pasvorto devas havi almenaŭ 8 signojn." }, "masterPassDoesntMatch": { "message": "Majstra pasvorta konfirmo ne kongruas." }, "newAccountCreated": { "message": "Via nova konto kreiĝis! Vi nun povas ensaluti." }, "masterPassSent": { "message": "Ni sendis al vi retpoŝton kun via ĉefa pasvorta sugesto." }, "unexpectedError": { "message": "Neatendita eraro okazis." }, "emailAddress": { "message": "Retpoŝta Adreso" }, "yourVaultIsLocked": { "message": "Via trezorejo estas ŝlosita. Kontrolu vian ĉefan pasvorton por daŭrigi." }, "unlock": { "message": "Malŝlosi" }, "loggedInAsEmailOn": { "message": "Ensalutinta kiel $EMAIL$ ĉe $HOSTNAME $.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" }, "hostname": { "content": "$2", "example": "bitwarden.com" } } }, "invalidMasterPassword": { "message": "Nevalida majstra pasvorto" }, "lockNow": { "message": "Ŝlosi Nun" }, "noItemsInList": { "message": "Ne estas listigendaj eroj." }, "noCollectionsInList": { "message": "Estas neniuj kolektoj listigeblaj." }, "noGroupsInList": { "message": "Estas neniuj grupoj listigeblaj." }, "noUsersInList": { "message": "Estas neniuj uzantoj listigeblaj." }, "noEventsInList": { "message": "Ne estas eventoj listigeblaj." }, "newOrganization": { "message": "Nova Organizo" }, "noOrganizationsList": { "message": "Vi ne apartenas al iuj organizoj. Organizoj permesas al vi sekure dividi erojn kun aliaj uzantoj." }, "versionNumber": { "message": "Versio $VERSION_NUMBER $", "placeholders": { "version_number": { "content": "$1", "example": "1.2.3" } } }, "enterVerificationCodeApp": { "message": "Enigu la 6-ciferan konfirmkodon de via aŭtentikiga programo." }, "enterVerificationCodeEmail": { "message": "Enigu la 6-ciferan konfirmkodon, kiu estis retpoŝta al $EMAIL$.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "verificationCodeEmailSent": { "message": "Kontrola retpoŝto sendita al $EMAIL$.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "rememberMe": { "message": "Memoru min" }, "sendVerificationCodeEmailAgain": { "message": "Sendu retpoŝtan kontrol-kodon denove" }, "useAnotherTwoStepMethod": { "message": "Uzu alian du-paŝan ensalutan metodon" }, "insertYubiKey": { "message": "Enmetu vian YubiKey en la USB-havenon de via komputilo, tiam tuŝu ĝian butonon." }, "insertU2f": { "message": "Enmetu vian sekurecan ŝlosilon en la USB-havenon de via komputilo. Se ĝi havas butonon, tuŝu ĝin." }, "loginUnavailable": { "message": "Ensaluto Neatingebla" }, "noTwoStepProviders": { "message": "Ĉi tiu konto havas du-paŝan ensaluton ebligita, tamen neniu el la agorditaj du-paŝaj provizantoj estas subtenata de ĉi tiu retumilo." }, "noTwoStepProviders2": { "message": "Bonvolu uzi subtenatan tTT-legilon (kiel Chrome) kaj / aŭ aldoni pliajn provizantojn pli bone subtenatajn tra tTT-legiloj (kiel aŭtentikiga programo)." }, "twoStepOptions": { "message": "Duŝtupaj Ensalutaj Elektoj" }, "recoveryCodeDesc": { "message": "Ĉu vi perdis aliron al ĉiuj viaj du-faktoraj provizantoj? Uzu vian reakiran kodon por malŝalti ĉiujn du-faktorajn provizantojn de via konto." }, "recoveryCodeTitle": { "message": "Rekuperiga Kodo" }, "authenticatorAppTitle": { "message": "Aŭtentiga Programo" }, "authenticatorAppDesc": { "message": "Uzu aŭtentikan programon (kiel Authy aŭ Google Authenticator) por generi tempokontrolajn kodojn.", "description": "'Authy' and 'Google Authenticator' are product names and should not be translated." }, "yubiKeyTitle": { "message": "Sekureca Ŝlosilo de YubiKey OTP" }, "yubiKeyDesc": { "message": "Uzu YubiKey por aliri vian konton. Funkcias kun YubiKey 4-serio, 5-serio kaj NEO-aparatoj." }, "duoDesc": { "message": "Kontrolu per Duo-Sekureco per la Duo Mobile-programo, SMS, telefona alvoko aŭ U2F-sekureca ŝlosilo.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "duoOrganizationDesc": { "message": "Kontrolu kun Duo Security por via organizo per la Duo Mobile-programo, SMS, telefona alvoko aŭ U2F-sekureca ŝlosilo.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "u2fDesc": { "message": "Uzu iun ajn sekurecan ŝlosilon FIDO U2F por aliri vian konton." }, "u2fTitle": { "message": "Sekureca Ŝlosilo FIDO U2F" }, "webAuthnTitle": { "message": "FIDO2 WebAuthn" }, "webAuthnDesc": { "message": "Use any WebAuthn enabled security key to access your account." }, "webAuthnMigrated": { "message": "(Migrated from FIDO)" }, "emailTitle": { "message": "Retpoŝto" }, "emailDesc": { "message": "Kontrolaj kodoj estos retpoŝtigitaj al vi." }, "continue": { "message": "Daŭrigi" }, "organization": { "message": "Organizo" }, "organizations": { "message": "Organizoj" }, "moveToOrgDesc": { "message": "Choose an organization that you wish to move this item to. Moving to an organization transfers ownership of the item to that organization. You will no longer be the direct owner of this item once it has been moved." }, "moveManyToOrgDesc": { "message": "Choose an organization that you wish to move these items to. Moving to an organization transfers ownership of the items to that organization. You will no longer be the direct owner of these items once they have been moved." }, "collectionsDesc": { "message": "Redaktu la kolektojn kun kiuj ĉi tiu ero estas dividita. Nur organizaj uzantoj kun aliro al ĉi tiuj kolektoj povos vidi ĉi tiun eron." }, "deleteSelectedItemsDesc": { "message": "Vi elektis $COUNT $eron (j) por forigi. Ĉu vi certe volas forigi ĉiujn ĉi tiujn erojn?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsDesc": { "message": "Elektu dosierujon al kiu vi ŝatus movi la elektitajn erojn $COUNT$.", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsCountDesc": { "message": "You have selected $COUNT$ item(s). $MOVEABLE_COUNT$ item(s) can be moved to an organization, $NONMOVEABLE_COUNT$ cannot.", "placeholders": { "count": { "content": "$1", "example": "10" }, "moveable_count": { "content": "$2", "example": "8" }, "nonmoveable_count": { "content": "$3", "example": "2" } } }, "verificationCodeTotp": { "message": "Kontrola Kodo (TOTP)" }, "copyVerificationCode": { "message": "Kopii Konfirman Kodon" }, "warning": { "message": "Averto" }, "confirmVaultExport": { "message": "Konfirmi Volbon-Eksportadon" }, "exportWarningDesc": { "message": "Ĉi tiu eksportado enhavas viajn volbajn datumojn en neĉifrita formato. Vi ne devas stoki aŭ sendi la eksportitan dosieron per nesekuraj kanaloj (kiel retpoŝto). Forigu ĝin tuj post kiam vi finuzos ĝin." }, "encExportKeyWarningDesc": { "message": "Ĉi tiu eksporto ĉifras viajn datumojn per la ĉifra ŝlosilo de via konto. Se vi iam turnos la ĉifran ŝlosilon de via konto, vi devas eksporti denove, ĉar vi ne povos deĉifri ĉi tiun eksportan dosieron." }, "encExportAccountWarningDesc": { "message": "Kontaj ĉifraj ŝlosiloj estas unikaj por ĉiu Bitwarden-uzanto-konto, do vi ne povas importi ĉifritan eksportadon en alian konton." }, "export": { "message": "Export" }, "exportVault": { "message": "Eksporti Volbon" }, "fileFormat": { "message": "Dosierformato" }, "exportSuccess": { "message": "Viaj volbaj datumoj estis eksportitaj." }, "passwordGenerator": { "message": "Pasvorta Generilo" }, "minComplexityScore": { "message": "Minimuma Komplekseca Poentaro" }, "minNumbers": { "message": "Minimumaj Nombroj" }, "minSpecial": { "message": "Minimuma Specialaĵo", "description": "Minimum Special Characters" }, "ambiguous": { "message": "Evitu Dusignajn Karakterojn" }, "regeneratePassword": { "message": "Regeneri Pasvorton" }, "length": { "message": "Longo" }, "numWords": { "message": "Nombro de Vortoj" }, "wordSeparator": { "message": "Vortdisigilo" }, "capitalize": { "message": "Majuskligi", "description": "Make the first letter of a work uppercase." }, "includeNumber": { "message": "Inkluzivi numeron" }, "passwordHistory": { "message": "Pasvorta Historio" }, "noPasswordsInList": { "message": "Ne estas listigitaj pasvortoj." }, "clear": { "message": "Malplenigi", "description": "To clear something out. example: To clear browser history." }, "accountUpdated": { "message": "Konto ĝisdatigita" }, "changeEmail": { "message": "Ŝanĝi retpoŝton" }, "changeEmailTwoFactorWarning": { "message": "Proceeding will change your account email address. It will not change the email address used for two-factor authentication. You can change this email address in the Two-Step Login settings." }, "newEmail": { "message": "Nova retpoŝto" }, "code": { "message": "Kodo" }, "changeEmailDesc": { "message": "Ni sendis retpoŝtan kontrolkodon al $EMAIL$. Bonvolu kontroli vian retpoŝton pri ĉi tiu kodo kaj enigu ĝin sube por fini la retpoŝtan adresŝanĝon.", "placeholders": { "email": { "content": "$1", "example": "john.smith@example.com" } } }, "loggedOutWarning": { "message": "Daŭrigi vin elsalutos de via nuna sesio, postulante vin denove ensaluti. Aktivaj sesioj sur aliaj aparatoj povas daŭre resti aktivaj ĝis unu horo." }, "emailChanged": { "message": "Retpoŝto Ŝanĝis" }, "logBackIn": { "message": "Bonvolu ensaluti denove." }, "logBackInOthersToo": { "message": "Bonvolu ensaluti. Se vi uzas aliajn Bitwarden-programojn, elsalutu kaj reen al tiuj ankaŭ." }, "changeMasterPassword": { "message": "Ŝanĝi Majstran Pasvorton" }, "masterPasswordChanged": { "message": "Majstra pasvorto ŝanĝita" }, "currentMasterPass": { "message": "Nuna Majstra Pasvorto" }, "newMasterPass": { "message": "Nova Majstra Pasvorto" }, "confirmNewMasterPass": { "message": "Konfirmi Novan Majstran Pasvorton" }, "encKeySettings": { "message": "Agordoj de Ĉifroklavo" }, "kdfAlgorithm": { "message": "KDF-Algoritmo" }, "kdfIterations": { "message": "KDF-Ripetoj" }, "kdfIterationsDesc": { "message": "Pli altaj KDF-ripetoj povas helpi protekti vian ĉefan pasvorton kontraŭ malpura devigo de atakanto. Ni rekomendas valoron de $VALUE$ aŭ pli.", "placeholders": { "value": { "content": "$1", "example": "100,000" } } }, "kdfIterationsWarning": { "message": "Agordi viajn KDF-ripetojn tro alte povus rezultigi malbonan rendimenton kiam vi ensalutas (kaj malŝlosas) Bitwarden sur aparatoj kun pli malrapidaj CPUoj. Ni rekomendas, ke vi pliigu la valoron en pliigoj de $INCREMENT$ kaj poste provu ĉiujn viajn aparatojn. . ", "placeholders": { "increment": { "content": "$1", "example": "50,000" } } }, "changeKdf": { "message": "Ŝanĝi KDF" }, "encKeySettingsChanged": { "message": "Ŝanĝaj Ŝlosilaj Agordoj Ŝanĝiĝis" }, "dangerZone": { "message": "Danĝera Zono" }, "dangerZoneDesc": { "message": "Atentu, ĉi tiuj agoj ne estas reigeblaj!" }, "deauthorizeSessions": { "message": "Senrajtigi Sesiojn" }, "deauthorizeSessionsDesc": { "message": "Ĉu vi zorgas pri tio, ke via konto estas ensalutinta sur alia aparato? Sekvu sube por senrajtigi ĉiujn komputilojn aŭ aparatojn, kiujn vi antaŭe uzis. Ĉi tiu sekureca paŝo rekomendas se vi antaŭe uzis publikan komputilon aŭ hazarde konservis vian pasvorton sur aparato, kiu ne estas via. Ĉi tiu paŝo ankaŭ malplenigos ĉiujn antaŭe memoritajn du-paŝajn ensalutajn sesiojn. " }, "deauthorizeSessionsWarning": { "message": "La daŭrigo ankaŭ elsalutos vin de via nuna sesio, postulante vin denove ensaluti. Oni ankaŭ petos vin du-ŝtupa ensaluto, se ĝi estas ebligita. Aktivaj sesioj sur aliaj aparatoj povas daŭre resti aktivaj ĝis ĝis unu horo. " }, "sessionsDeauthorized": { "message": "Ĉiuj Sesioj Neaŭtorizitaj" }, "purgeVault": { "message": "Purigi Volbon" }, "purgedOrganizationVault": { "message": "Purigita organizo-volbo." }, "vaultAccessedByProvider": { "message": "Vault accessed by provider." }, "purgeVaultDesc": { "message": "Sekvu sube por forigi ĉiujn erojn kaj dosierujojn en via trezorejo. Eroj apartenantaj al organizo kun kiu vi dividas ne estos forigitaj." }, "purgeOrgVaultDesc": { "message": "Sekvu sube por forigi ĉiujn erojn en la trezorejo de la organizo." }, "purgeVaultWarning": { "message": "Purigi vian trezorejon estas konstanta. Ĝi ne povas esti malfarita." }, "vaultPurged": { "message": "Via trezorejo estis elpurigita." }, "deleteAccount": { "message": "Forigi konton" }, "deleteAccountDesc": { "message": "Sekvu sube por forigi vian konton kaj ĉiujn rilatajn datumojn." }, "deleteAccountWarning": { "message": "Forigi vian konton estas konstanta. Ĝi ne povas esti malfarita." }, "accountDeleted": { "message": "Konto Forigita" }, "accountDeletedDesc": { "message": "Via konto estis fermita kaj ĉiuj rilataj datumoj estis forigitaj." }, "myAccount": { "message": "Mia Konto" }, "tools": { "message": "Iloj" }, "importData": { "message": "Importi Datumojn" }, "importError": { "message": "Importa Eraro" }, "importErrorDesc": { "message": "Estis problemo pri la datumoj, kiujn vi provis importi. Bonvolu solvi la erarojn listigitajn sube en via fontdosiero kaj reprovi." }, "importSuccess": { "message": "Datumoj sukcese importiĝis en vian trezorejon." }, "importWarning": { "message": "Vi importas datumojn al $ORGANIZATION$. Viaj datumoj povas esti dividitaj kun membroj de ĉi tiu organizo. Ĉu vi volas daŭrigi?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "importFormatError": { "message": "Datumoj ne estas ĝuste formatitaj. Bonvolu kontroli vian importan dosieron kaj reprovi." }, "importNothingError": { "message": "Nenio estis importita." }, "importEncKeyError": { "message": "Error decrypting the exported file. Your encryption key does not match the encryption key used export the data." }, "selectFormat": { "message": "Elektu la formaton de la importa dosiero" }, "selectImportFile": { "message": "Elektu la importan dosieron" }, "orCopyPasteFileContents": { "message": "aŭ kopii / alglui la importan dosieron enhavon" }, "instructionsFor": { "message": "Instrukcioj pri $NAME$", "description": "The title for the import tool instructions.", "placeholders": { "name": { "content": "$1", "example": "LastPass (csv)" } } }, "options": { "message": "Opcioj" }, "optionsDesc": { "message": "Agordu vian sperton pri retejo." }, "optionsUpdated": { "message": "Opcioj ĝisdatigitaj" }, "language": { "message": "Lingvo" }, "languageDesc": { "message": "Ŝanĝi la lingvon uzatan de la retejo-volbo." }, "disableIcons": { "message": "Malebligi retejajn piktogramojn" }, "disableIconsDesc": { "message": "Retejaj piktogramoj donas rekoneblan bildon apud ĉiu ensaluta ero en via trezorejo." }, "enableGravatars": { "message": "Ebligi Gravatars", "description": "'Gravatar' is the name of a service. See www.gravatar.com" }, "enableGravatarsDesc": { "message": "Uzu avatarajn bildojn ŝarĝitajn de gravatar.com." }, "enableFullWidth": { "message": "Ebligi plenan larĝan aranĝon", "description": "Allows scaling the web vault UI's width" }, "enableFullWidthDesc": { "message": "Permesu al la arka volbo pligrandigi la tutan larĝon de la retumila fenestro." }, "default": { "message": "Apriora" }, "domainRules": { "message": "Regaj Reguloj" }, "domainRulesDesc": { "message": "Se vi havas la saman ensaluton tra multaj malsamaj retejaj domajnoj, vi povas marki la retejon kiel \" ekvivalenta \". \" Tutmondaj \" domajnoj estas jam kreitaj por vi de Bitwarden." }, "globalEqDomains": { "message": "Tutmondaj Ekvivalentaj Domajnoj" }, "customEqDomains": { "message": "Propraj Ekvivalentaj Domajnoj" }, "exclude": { "message": "Ekskludi" }, "include": { "message": "Inkluzivi" }, "customize": { "message": "Agordi" }, "newCustomDomain": { "message": "Nova Propra Domajno" }, "newCustomDomainDesc": { "message": "Enmetu liston de domajnoj apartigitaj per komoj. Nur domajnoj \" bazaj \" estas permesataj. Ne enmetu subdomajnojn. Ekzemple enigu \" google.com \"anstataŭ \" www.google.com \". Vi ankaŭ povas enigi \" androidapp: //package.name \"por asocii android-programon kun aliaj retejaj domajnoj." }, "customDomainX": { "message": "Propra Domajno $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "domainsUpdated": { "message": "Domajnoj ĝisdatigitaj" }, "twoStepLogin": { "message": "Du-ŝtupa ensaluto" }, "twoStepLoginDesc": { "message": "Sekurigu vian konton postulante plian paŝon kiam vi ensalutas." }, "twoStepLoginOrganizationDesc": { "message": "Postuli du-paŝan ensaluton por la uzantoj de via organizo per agordo de provizantoj je la organiza nivelo." }, "twoStepLoginRecoveryWarning": { "message": "Ebligi du-paŝan ensaluton povas konstante elŝlosi vin el via Bitwarden-konto. Rekuperiga kodo permesas vin aliri vian konton, se vi ne plu povas uzi vian normalan du-paŝan ensalutan provizanton (ekz. vi perdas Bitwarden-subteno ne povos helpi vin se vi perdos aliron al via konto. Ni rekomendas al vi skribi aŭ presi la reakiran kodon kaj konservi ĝin en sekura loko. " }, "viewRecoveryCode": { "message": "Rigardi Rekuperan Kodon" }, "providers": { "message": "Provizantoj", "description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc." }, "enable": { "message": "Ebligi" }, "enabled": { "message": "Enŝaltita" }, "premium": { "message": "Premium", "description": "Premium Membership" }, "premiumMembership": { "message": "Altkvalita Membreco" }, "premiumRequired": { "message": "Supra Postulo" }, "premiumRequiredDesc": { "message": "Altkvalita membreco necesas por uzi ĉi tiun funkcion." }, "youHavePremiumAccess": { "message": "Vi havas superan aliron" }, "alreadyPremiumFromOrg": { "message": "Vi jam havas aliron al superaj funkcioj pro organizo, en kiu vi membras." }, "manage": { "message": "Administri" }, "disable": { "message": "Malebligi" }, "twoStepLoginProviderEnabled": { "message": "Ĉi tiu du-ŝtupa ensaluta provizanto estas ebligita en via konto." }, "twoStepLoginAuthDesc": { "message": "Enigu vian ĉefan pasvorton por modifi du-paŝajn ensalutajn agordojn." }, "twoStepAuthenticatorDesc": { "message": "Sekvu ĉi tiujn paŝojn por agordi du-paŝan ensaluton per aŭtentikiga programo:" }, "twoStepAuthenticatorDownloadApp": { "message": "Elŝuti du-paŝan aŭtentikigan programon" }, "twoStepAuthenticatorNeedApp": { "message": "Ĉu vi bezonas du-paŝan aŭtentikigan programon? Elŝutu unu el la jenaj" }, "iosDevices": { "message": "iOS-aparatoj" }, "androidDevices": { "message": "Android-aparatoj" }, "windowsDevices": { "message": "Vindozaj aparatoj" }, "twoStepAuthenticatorAppsRecommended": { "message": "Ĉi tiuj programoj estas rekomendindaj, tamen ankaŭ aliaj aŭtentikigaj programoj funkcios." }, "twoStepAuthenticatorScanCode": { "message": "Skani ĉi tiun QR-kodon per via aŭtentikiga programo" }, "key": { "message": "Ŝlosilo" }, "twoStepAuthenticatorEnterCode": { "message": "Enigu la rezultan 6-ciferan konfirmkodon de la programo" }, "twoStepAuthenticatorReaddDesc": { "message": "Se vi bezonas aldoni ĝin al alia aparato, sube estas la QR-kodo (aŭ ŝlosilo) postulita de via aŭtentikiga programo." }, "twoStepDisableDesc": { "message": "Ĉu vi certas, ke vi volas malŝalti ĉi tiun du-paŝan ensalutan provizanton?" }, "twoStepDisabled": { "message": "Du-ŝtupa ensaluta provizanto malŝaltita." }, "twoFactorYubikeyAdd": { "message": "Aldoni novan YubiKey al via konto" }, "twoFactorYubikeyPlugIn": { "message": "Enŝovu la YubiKey en la USB-havenon de via komputilo." }, "twoFactorYubikeySelectKey": { "message": "Elektu la unuan malplenan enigan kampon YubiKey sube." }, "twoFactorYubikeyTouchButton": { "message": "Tuŝu la butonon de YubiKey." }, "twoFactorYubikeySaveForm": { "message": "Konservu la formularon." }, "twoFactorYubikeyWarning": { "message": "Pro platformaj limigoj, YubiKeys ne povas esti uzata en ĉiuj Bitwarden-aplikaĵoj. Vi rajtigu alian du-paŝan ensalutan provizanton, por ke vi povu aliri vian konton kiam YubiKeys ne povas esti uzata. Subtenitaj platformoj:" }, "twoFactorYubikeySupportUsb": { "message": "TTT-volbo, labortabla aplikaĵo, CLI kaj ĉiuj retumilaj etendaĵoj sur aparato kun USBa haveno, kiu povas akcepti vian YubiKey." }, "twoFactorYubikeySupportMobile": { "message": "Poŝtelefonaj programoj sur aparato kun NFC-kapabloj aŭ datuma haveno, kiu povas akcepti vian YubiKey." }, "yubikeyX": { "message": "YubiKey $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "u2fkeyX": { "message": "U2F-Ŝlosilo $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "webAuthnkeyX": { "message": "WebAuthn Key $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "nfcSupport": { "message": "NFC-Subteno" }, "twoFactorYubikeySupportsNfc": { "message": "Unu el miaj klavoj subtenas NFC." }, "twoFactorYubikeySupportsNfcDesc": { "message": "Se unu el viaj YubiKeys subtenas NFC (kiel YubiKey NEO), vi estos instigita per poŝtelefonoj kiam ajn NFC-havebleco estas detektita." }, "yubikeysUpdated": { "message": "YubiKeys ĝisdatigis" }, "disableAllKeys": { "message": "Malebligi ĉiujn ŝlosilojn" }, "twoFactorDuoDesc": { "message": "Enmetu la informojn pri Bitwarden-aplikaĵo de via panelo de Duo Admin." }, "twoFactorDuoIntegrationKey": { "message": "Integriĝa Ŝlosilo" }, "twoFactorDuoSecretKey": { "message": "Sekreta Ŝlosilo" }, "twoFactorDuoApiHostname": { "message": "API Gastiganta Nomo" }, "twoFactorEmailDesc": { "message": "Sekvu ĉi tiujn paŝojn por agordi du-paŝan ensaluton per retpoŝto:" }, "twoFactorEmailEnterEmail": { "message": "Enigu la retpoŝton, ke vi volas ricevi kontrolajn kodojn" }, "twoFactorEmailEnterCode": { "message": "Enigu la rezultan 6-ciferan konfirmkodon el la retpoŝto" }, "sendEmail": { "message": "Sendi retpoŝton" }, "twoFactorU2fAdd": { "message": "Aldonu sekurecan ŝlosilon FIDO U2F al via konto" }, "removeU2fConfirmation": { "message": "Ĉu vi certe volas forigi ĉi tiun sekurecan ŝlosilon?" }, "twoFactorWebAuthnAdd": { "message": "Add a WebAuthn security key to your account" }, "readKey": { "message": "Legi Ŝlosilon" }, "keyCompromised": { "message": "Ŝlosilo estas kompromitita." }, "twoFactorU2fGiveName": { "message": "Donu al la sekureca ŝlosilo amikan nomon por identigi ĝin." }, "twoFactorU2fPlugInReadKey": { "message": "Enŝovu la sekurecan ŝlosilon en la USB-havenon de via komputilo kaj alklaku la butonon \" Legu Ŝlosilon \"." }, "twoFactorU2fTouchButton": { "message": "Se la sekureca ŝlosilo havas butonon, tuŝu ĝin." }, "twoFactorU2fSaveForm": { "message": "Konservu la formularon." }, "twoFactorU2fWarning": { "message": "Pro platformaj limigoj, FIDO U2F ne povas esti uzata en ĉiuj Bitwarden-aplikaĵoj. Vi rajtigu alian du-paŝan ensalutan provizanton, por ke vi povu aliri vian konton kiam FIDO U2F ne povas esti uzata. Subtenitaj platformoj:" }, "twoFactorU2fSupportWeb": { "message": "Reta volbo kaj retumilaj etendaĵoj sur labortablo / tekkomputilo kun U2F-ebligita retumilo (Chrome, Opera, Vivaldi aŭ Firefox kun FIDO U2F ebligita)." }, "twoFactorU2fWaiting": { "message": "Atendante, ke vi tuŝu la butonon de via sekureca ŝlosilo" }, "twoFactorU2fClickSave": { "message": "Alklaku la suban butonon \" Konservi \"por ebligi ĉi tiun sekurecan ŝlosilon por du-ŝtupa ensaluto." }, "twoFactorU2fProblemReadingTryAgain": { "message": "There was a problem reading the security key. Try again." }, "twoFactorWebAuthnWarning": { "message": "Due to platform limitations, WebAuthn cannot be used on all Bitwarden applications. You should enable another two-step login provider so that you can access your account when WebAuthn cannot be used. Supported platforms:" }, "twoFactorWebAuthnSupportWeb": { "message": "Web vault and browser extensions on a desktop/laptop with a WebAuthn enabled browser (Chrome, Opera, Vivaldi, or Firefox with FIDO U2F enabled)." }, "twoFactorRecoveryYourCode": { "message": "Via Bitwarden-du-ŝtupa ensaluta reakiro-kodo" }, "twoFactorRecoveryNoCode": { "message": "Vi ankoraŭ ne ebligis du-paŝajn ensalutajn provizantojn. Post kiam vi ebligis du-ŝtupan ensalut-provizanton, vi povas kontroli ĉi tie vian reakiran kodon." }, "printCode": { "message": "Presi Kodon", "description": "Print 2FA recovery code" }, "reports": { "message": "Raportoj" }, "reportsDesc": { "message": "Identify and close security gaps in your online accounts by clicking the reports below." }, "unsecuredWebsitesReport": { "message": "Raporto pri Nesekurigitaj Retejoj" }, "unsecuredWebsitesReportDesc": { "message": "Uzi nesekurigitajn retejojn kun la http: // skemo povas esti danĝera. Se la retejo permesas, vi ĉiam devas aliri ĝin per la skemo https: // tiel ke via konekto estas ĉifrita." }, "unsecuredWebsitesFound": { "message": "Trovitaj Nesekurigitaj Retejoj" }, "unsecuredWebsitesFoundDesc": { "message": "Ni trovis $COUNT$ erojn en via trezorejo kun nesekurigitaj URI-oj. Vi devas ŝanĝi ilian URI-skemon al https: // se la retejo permesas ĝin.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noUnsecuredWebsites": { "message": "No items in your vault have unsecured URIs." }, "inactive2faReport": { "message": "Raporto 2FA neaktiva" }, "inactive2faReportDesc": { "message": "Dufakta aŭtentokontrolo (2FA) estas grava sekureca agordo, kiu helpas sekurigi viajn kontojn. Se la retejo ofertas ĝin, vi devas ĉiam ebligi dufakturan aŭtentikigon." }, "inactive2faFound": { "message": "Ensalutoj Sen 2FA Trovitaj" }, "inactive2faFoundDesc": { "message": "Ni trovis $COUNT$ retejon (j) en via trezorejo, kiu eble ne estas agordita kun dufakta aŭtentokontrolo (laŭ 2fa.directory). Por plue protekti ĉi tiujn kontojn, vi devas ebligi dufaktoran aŭtentikigon.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noInactive2fa": { "message": "Neniuj retejoj troviĝis en via trezorejo kun mankanta dufakta aŭtentiga agordo." }, "instructions": { "message": "Instrukcioj" }, "exposedPasswordsReport": { "message": "Raporto pri Malkaŝitaj Pasvortoj" }, "exposedPasswordsReportDesc": { "message": "Malkaŝitaj pasvortoj estas pasvortoj malkovritaj en konataj datumrompoj publikigitaj aŭ venditaj en la malluma retejo de retpiratoj." }, "exposedPasswordsFound": { "message": "Trovitaj Pasvortoj Trovitaj" }, "exposedPasswordsFoundDesc": { "message": "Ni trovis $COUNT$ erojn en via trezorejo, kiuj havas pasvortojn elmontritajn en konataj rompo de datumoj. Vi devas ŝanĝi ilin por uzi novan pasvorton.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noExposedPasswords": { "message": "Neniuj eroj en via trezorejo havas pasvortojn elmontritajn en konataj rompo de datumoj." }, "checkExposedPasswords": { "message": "Kontroli Malkaŝitajn Pasvortojn" }, "exposedXTimes": { "message": "Elmontritaj $COUNT$ tempo (j)", "placeholders": { "count": { "content": "$1", "example": "52" } } }, "weakPasswordsReport": { "message": "Raporto pri Malfortaj Pasvortoj" }, "weakPasswordsReportDesc": { "message": "Malfortaj pasvortoj facile diveneblas per retpiratoj kaj aŭtomataj iloj, kiuj estas uzataj por rompi pasvortojn. La Bitwarden-pasvorta generatoro povas helpi vin krei fortajn pasvortojn." }, "weakPasswordsFound": { "message": "Malfortaj Pasvortoj Trovitaj" }, "weakPasswordsFoundDesc": { "message": "Ni trovis $COUNT$ erojn en via trezorejo kun pasvortoj ne fortaj. Vi devas ĝisdatigi ilin por uzi pli fortajn pasvortojn.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noWeakPasswords": { "message": "Neniuj eroj en via trezorejo havas malfortajn pasvortojn." }, "reusedPasswordsReport": { "message": "Raporto pri recikligitaj pasvortoj" }, "reusedPasswordsReportDesc": { "message": "Se servo, kiun vi uzas, estas kompromitita, reuzi la saman pasvorton aliloke povas permesi al retpiratoj facile aliri al pli da viaj retaj kontoj. Vi devas uzi unikan pasvorton por ĉiu konto aŭ servo." }, "reusedPasswordsFound": { "message": "Reuzitaj Pasvortoj Trovitaj" }, "reusedPasswordsFoundDesc": { "message": "Ni trovis $COUNT$ pasvortojn reuzatajn en via trezorejo. Vi devas ŝanĝi ilin al unika valoro.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noReusedPasswords": { "message": "Neniuj ensalutoj en via trezorejo havas pasvortojn reuzatajn." }, "reusedXTimes": { "message": "Reuzita $COUNT$ fojojn", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "dataBreachReport": { "message": "Raporto pri Malobservo de Datumoj" }, "breachDesc": { "message": "\" breĉo \"estas okazaĵo, kie la datumoj de retejo estis kontraŭleĝe aliritaj de retpiratoj kaj poste publikigitaj publike. Revizii la tipojn de datumoj kompromititaj (retpoŝtadresoj, pasvortoj, kreditkartoj ktp.) taŭga ago, kiel ŝanĝi pasvortojn. " }, "breachCheckUsernameEmail": { "message": "Kontrolu iujn ajn uzantnomojn aŭ retpoŝtadresojn, kiujn vi uzas." }, "checkBreaches": { "message": "Kontroli breĉojn" }, "breachUsernameNotFound": { "message": "$USERNAME$ ne estis trovita en iuj konataj rompo de datumoj.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" } } }, "goodNews": { "message": "Bonaj Novaĵoj", "description": "ex. Good News, No Breached Accounts Found!" }, "breachUsernameFound": { "message": "$USERNAME$ estis trovita en $COUNT$ malsamaj datumaj rompoj interrete.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" }, "count": { "content": "$2", "example": "7" } } }, "breachFound": { "message": "Malobservitaj Kontoj Trovitaj" }, "compromisedData": { "message": "Kompromisitaj datumoj" }, "website": { "message": "Retejo" }, "affectedUsers": { "message": "Afektitaj Uzantoj" }, "breachOccurred": { "message": "Malobservo Okazis" }, "breachReported": { "message": "Malobservo raportita" }, "reportError": { "message": "Eraro okazis provante ŝarĝi la raporton. Provu denove" }, "billing": { "message": "Fakturado" }, "accountCredit": { "message": "Kredita Konto", "description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)." }, "accountBalance": { "message": "Konta Bilanco", "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": "Aldoni Krediton", "description": "Add more credit to your account's balance." }, "amount": { "message": "Kvanto", "description": "Dollar amount, or quantity." }, "creditDelayed": { "message": "Aldonita kredito aperos en via konto post kiam la pago estos plene prilaborita. Iuj pagmanieroj malfruas kaj povas daŭri pli longe ol aliaj." }, "makeSureEnoughCredit": { "message": "Bonvolu certigi, ke via konto havas sufiĉe da kredito havebla por ĉi tiu aĉeto. Se via konto ne havas sufiĉe da kredito havebla, via defaŭlta pagmaniero uzata por la diferenco. Vi povas aldoni krediton al via konto de la Faktura paĝo. " }, "creditAppliedDesc": { "message": "La kredito de via konto povas esti uzata por aĉeti. Ĉiu havebla kredito aŭtomate aplikiĝos al fakturoj generitaj por ĉi tiu konto." }, "goPremium": { "message": "Iru Premium", "description": "Another way of saying \"Get a premium membership\"" }, "premiumUpdated": { "message": "Vi ĝisdatigis al premio." }, "premiumUpgradeUnlockFeatures": { "message": "Altgradigu vian konton al supera membreco kaj malŝlosu iujn bonegajn aldonajn funkciojn." }, "premiumSignUpStorage": { "message": "1 GB ĉifrita stokado por dosieraj aldonaĵoj." }, "premiumSignUpTwoStep": { "message": "Pliaj du-paŝaj ensalutaj opcioj kiel YubiKey, FIDO U2F kaj Duo." }, "premiumSignUpEmergency": { "message": "Kriza Aliro" }, "premiumSignUpReports": { "message": "Raportoj pri pasvorta higieno, sanstato de kontoj kaj rompo de datumoj por protekti vian trezorejon." }, "premiumSignUpTotp": { "message": "Generilo de TOTP-kontrola kodo (2FA) por ensalutoj en via trezorejo." }, "premiumSignUpSupport": { "message": "Prioritata klienta subteno." }, "premiumSignUpFuture": { "message": "Ĉiuj estontaj premiaj funkcioj. Pli baldaŭ!" }, "premiumPrice": { "message": "Ĉio kontraŭ nur $PRICE$ / jaro!", "placeholders": { "price": { "content": "$1", "example": "$10" } } }, "addons": { "message": "Aldonaĵoj" }, "premiumAccess": { "message": "Altkvalita Aliro" }, "premiumAccessDesc": { "message": "Vi povas aldoni altkvalitan aliron al ĉiuj membroj de via organizo kontraŭ $PRICE$ / $INTERVAL$.", "placeholders": { "price": { "content": "$1", "example": "$3.33" }, "interval": { "content": "$2", "example": "'month' or 'year'" } } }, "additionalStorageGb": { "message": "Aldona Stokado (GB)" }, "additionalStorageGbDesc": { "message": "Nombro da pliaj GB" }, "additionalStorageIntervalDesc": { "message": "Via plano venas kun $SIZE$ da ĉifrita dosier-stokado. Vi povas aldoni plian stokadon kontraŭ $PRICE$ po GB / $INTERVAL$.", "placeholders": { "size": { "content": "$1", "example": "1 GB" }, "price": { "content": "$2", "example": "$4.00" }, "interval": { "content": "$3", "example": "'month' or 'year'" } } }, "summary": { "message": "Resumo" }, "total": { "message": "Entute" }, "year": { "message": "jaro" }, "month": { "message": "monato" }, "monthAbbr": { "message": "mo.", "description": "Short abbreviation for 'month'" }, "paymentChargedAnnually": { "message": "Via pagmaniero estos ŝargita tuj kaj poste ripetiĝante ĉiujare. Vi rajtas nuligi iam ajn." }, "paymentCharged": { "message": "Via pagmaniero tuj estos ŝargita kaj poste ripetiĝante ĉiu $INTERVAL$. Vi rajtas nuligi iam ajn.", "placeholders": { "interval": { "content": "$1", "example": "month or year" } } }, "paymentChargedWithTrial": { "message": "Via plano venas kun senpaga 7-taga provado. Via pagmaniero ne estos ŝargita ĝis la proceso finiĝos. Fakturado okazos ĉiufoje $INTERVAL$. Vi rajtas nuligi iam ajn." }, "paymentInformation": { "message": "Pagaj Informoj" }, "billingInformation": { "message": "Fakturaj Informoj" }, "creditCard": { "message": "Kreditkarto" }, "paypalClickSubmit": { "message": "Alklaku la butonon PayPal por ensaluti vian konton PayPal, poste alklaku la butonon Sendu sube por daŭrigi." }, "cancelSubscription": { "message": "Nuligi Abonon" }, "subscriptionCanceled": { "message": "La abono estis nuligita." }, "pendingCancellation": { "message": "Atendanta Nuligo" }, "subscriptionPendingCanceled": { "message": "La abono estis markita por nuligo ĉe la fino de la nuna faktura periodo." }, "reinstateSubscription": { "message": "Reinstali Abonon" }, "reinstateConfirmation": { "message": "Ĉu vi certe volas forigi la pritraktatan nuligan peton kaj reinstali vian abonon?" }, "reinstated": { "message": "La abono estis reinstalita." }, "cancelConfirmation": { "message": "Ĉu vi certas, ke vi volas nuligi? Vi perdos aliron al ĉiuj funkcioj de ĉi tiu abono fine de ĉi tiu faktura ciklo." }, "canceledSubscription": { "message": "La abono estis nuligita." }, "neverExpires": { "message": "Never Expires" }, "status": { "message": "Stato" }, "nextCharge": { "message": "Sekva Akuzo" }, "details": { "message": "Detaloj" }, "downloadLicense": { "message": "Elŝuti Permesilon" }, "updateLicense": { "message": "Ĝisdatigi Permesilon" }, "updatedLicense": { "message": "Ĝisdatigita permesilo" }, "manageSubscription": { "message": "Administri Abonon" }, "storage": { "message": "Stokado" }, "addStorage": { "message": "Aldoni Stokadon" }, "removeStorage": { "message": "Forigi Stokadon" }, "subscriptionStorage": { "message": "Via abono havas entute $MAX_STORAGE$ GB da ĉifrita dosier-stokado. Vi nun uzas $USED_STORAGE$.", "placeholders": { "max_storage": { "content": "$1", "example": "4" }, "used_storage": { "content": "$2", "example": "65 MB" } } }, "paymentMethod": { "message": "Pagmaniero" }, "noPaymentMethod": { "message": "Neniu pagmaniero registrita." }, "addPaymentMethod": { "message": "Aldoni Pagmanieron" }, "changePaymentMethod": { "message": "Ŝanĝi Pagmanieron" }, "invoices": { "message": "Fakturoj" }, "noInvoices": { "message": "Neniuj fakturoj." }, "paid": { "message": "Pagita", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "unpaid": { "message": "Sensalajra", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "transactions": { "message": "Transakcioj", "description": "Payment/credit transactions." }, "noTransactions": { "message": "Sen transakcioj." }, "chargeNoun": { "message": "Akuzo", "description": "Noun. A charge from a payment method." }, "refundNoun": { "message": "Repago", "description": "Noun. A refunded payment that was charged." }, "chargesStatement": { "message": "Ĉiuj akuzoj aperos en via deklaro kiel $STATEMENT_NAME$.", "placeholders": { "statement_name": { "content": "$1", "example": "BITWARDEN" } } }, "gbStorageAdd": { "message": "Aldoni GB-Stokadon" }, "gbStorageRemove": { "message": "Forigi GB-Stokadon" }, "storageAddNote": { "message": "Aldonado de stokado rezultigos ĝustigojn al viaj fakturaj sumoj kaj tuj ŝargos vian pagmanieron en dosiero. La unua ŝarĝo estos proporciigita por la resto de la aktuala faktura ciklo." }, "storageRemoveNote": { "message": "Forigi stokadon rezultigos ĝustigojn al viaj fakturaj sumoj, kiuj estos proratigitaj kiel kreditoj al via sekva faktura ŝarĝo." }, "adjustedStorage": { "message": "Ĝustigita $AMOUNT$ GB da stokado.", "placeholders": { "amount": { "content": "$1", "example": "5" } } }, "contactSupport": { "message": "Kontakti Klientan Subtenon" }, "updatedPaymentMethod": { "message": "Ĝisdatigita pagmaniero." }, "purchasePremium": { "message": "Aĉetu Superpagon" }, "licenseFile": { "message": "Permesila Dosiero" }, "licenseFileDesc": { "message": "Via licenca dosiero nomiĝos kiel $FILE_NAME$", "placeholders": { "file_name": { "content": "$1", "example": "bitwarden_premium_license.json" } } }, "uploadLicenseFilePremium": { "message": "Por ĝisdatigi vian konton al altkvalita membreco vi devas alŝuti validan licencdosieron." }, "uploadLicenseFileOrg": { "message": "Por krei lokan gastigitan organizon, vi devas alŝuti validan licencdosieron." }, "accountEmailMustBeVerified": { "message": "La retpoŝta adreso de via konto devas esti kontrolita." }, "newOrganizationDesc": { "message": "Organizoj permesas al vi dividi partojn de via trezorejo kun aliaj kaj administri rilatajn uzantojn por specifa ento kiel familio, malgranda teamo aŭ granda kompanio." }, "generalInformation": { "message": "Ĝeneralaj Informoj" }, "organizationName": { "message": "Organiza nomo" }, "accountOwnedBusiness": { "message": "Ĉi tiu konto estas posedata de kompanio." }, "billingEmail": { "message": "Faktura Retpoŝto" }, "businessName": { "message": "Komerca nomo" }, "chooseYourPlan": { "message": "Elektu Vian Planon" }, "users": { "message": "Uzantoj" }, "userSeats": { "message": "Uzantaj Sidlokoj" }, "additionalUserSeats": { "message": "Pliaj Uzaj Lokoj" }, "userSeatsDesc": { "message": "Nombro de uzantaj lokoj" }, "userSeatsAdditionalDesc": { "message": "Via plano venas kun $BASE_SEATS$ uzanto-seĝoj. Vi povas aldoni pliajn uzantojn kontraŭ $SEAT_PRICE$ po uzanto / monato.", "placeholders": { "base_seats": { "content": "$1", "example": "5" }, "seat_price": { "content": "$2", "example": "$2.00" } } }, "userSeatsHowManyDesc": { "message": "Kiom da uzantaj seĝoj vi bezonas? Vi ankaŭ povas aldoni pliajn seĝojn poste se necese." }, "planNameFree": { "message": "Senpaga", "description": "Free as in 'free beer'." }, "planDescFree": { "message": "Por testado aŭ personaj uzantoj dividi kun $COUNT$ alia uzanto.", "placeholders": { "count": { "content": "$1", "example": "1" } } }, "planNameFamilies": { "message": "Familioj" }, "planDescFamilies": { "message": "Por persona uzo, dividi kun familio kaj amikoj." }, "planNameTeams": { "message": "Teamoj" }, "planDescTeams": { "message": "Por entreprenoj kaj aliaj teamaj organizoj." }, "planNameEnterprise": { "message": "Entrepreno" }, "planDescEnterprise": { "message": "Por entreprenoj kaj aliaj grandaj organizoj." }, "freeForever": { "message": "Senpaga Eterne" }, "includesXUsers": { "message": "inkluzivas $COUN$ uzantojn", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "additionalUsers": { "message": "Pliaj Uzantoj" }, "costPerUser": { "message": "$COST$ por uzanto", "placeholders": { "cost": { "content": "$1", "example": "$3" } } }, "limitedUsers": { "message": "Limigita al $COUNT$ uzantoj (inkluzive de vi)", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "limitedCollections": { "message": "Limigita al $COUNT$ -kolektoj", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "addShareLimitedUsers": { "message": "Aldoni kaj dividi kun ĝis $COUNT$ uzantoj", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "addShareUnlimitedUsers": { "message": "Aldoni kaj dividi kun senlimaj uzantoj" }, "createUnlimitedCollections": { "message": "Krei senlimajn Kolektojn" }, "gbEncryptedFileStorage": { "message": "$SIZE$ ĉifrita dosier-stokado", "placeholders": { "size": { "content": "$1", "example": "1 GB" } } }, "onPremHostingOptional": { "message": "Surloka gastigado (nedeviga)" }, "usersGetPremium": { "message": "Uzantoj ricevas aliron al Premiaj Trajtoj" }, "controlAccessWithGroups": { "message": "Kontroli la aliron de uzanto per Grupoj" }, "syncUsersFromDirectory": { "message": "Sinkronigu viajn uzantojn kaj grupojn de dosierujo" }, "trackAuditLogs": { "message": "Spuri agojn de uzanto per kontrolaj protokoloj" }, "enforce2faDuo": { "message": "Devigi 2FA kun Duo" }, "priorityCustomerSupport": { "message": "Prioritata klienta subteno" }, "xDayFreeTrial": { "message": "$COUNT$ taga senpaga provo, nuligu iam ajn", "placeholders": { "count": { "content": "$1", "example": "7" } } }, "monthly": { "message": "Monata" }, "annually": { "message": "Ĉiujare" }, "basePrice": { "message": "Baza Prezo" }, "organizationCreated": { "message": "Organizo kreita" }, "organizationReadyToGo": { "message": "Via nova organizo pretas!" }, "organizationUpgraded": { "message": "Via organizo estis plibonigita." }, "leave": { "message": "Foriri" }, "leaveOrganizationConfirmation": { "message": "Ĉu vi certe volas forlasi ĉi tiun organizon?" }, "leftOrganization": { "message": "Vi forlasis la organizon." }, "defaultCollection": { "message": "Apriora Kolekto" }, "getHelp": { "message": "Akiri Helpon" }, "getApps": { "message": "Akiru la Programojn" }, "loggedInAs": { "message": "Ensalutinta kiel" }, "eventLogs": { "message": "Eventaj Registroj" }, "people": { "message": "Homoj" }, "policies": { "message": "Politikoj" }, "singleSignOn": { "message": "Single Sign-On" }, "editPolicy": { "message": "Redakti politikon" }, "groups": { "message": "Grupoj" }, "newGroup": { "message": "Nova Grupo" }, "addGroup": { "message": "Aldoni grupon" }, "editGroup": { "message": "Redakti grupon" }, "deleteGroupConfirmation": { "message": "Ĉu vi certe volas forigi ĉi tiun grupon?" }, "removeUserConfirmation": { "message": "Ĉu vi certe volas forigi ĉi tiun uzanton?" }, "removeUserConfirmationKeyConnector": { "message": "Warning! This user requires Key Connector to manage their encryption. Removing this user from your organization will permanently disable their account. This action cannot be undone. Do you want to proceed?" }, "externalId": { "message": "Ekstera identigilo" }, "externalIdDesc": { "message": "La ekstera identigilo povas esti uzata kiel referenco aŭ por ligi ĉi tiun rimedon al ekstera sistemo kiel uzantdosierujo." }, "accessControl": { "message": "Alirkontrolo" }, "groupAccessAllItems": { "message": "Ĉi tiu grupo povas aliri kaj modifi ĉiujn erojn." }, "groupAccessSelectedCollections": { "message": "Ĉi tiu grupo povas aliri nur la elektitajn kolektojn." }, "readOnly": { "message": "Nurlegebla" }, "newCollection": { "message": "Nova Kolekto" }, "addCollection": { "message": "Aldoni Kolekton" }, "editCollection": { "message": "Redakti Kolekton" }, "deleteCollectionConfirmation": { "message": "Ĉu vi certe volas forigi ĉi tiun kolekton?" }, "editUser": { "message": "Redakti uzanton" }, "inviteUser": { "message": "Inviti uzanton" }, "inviteUserDesc": { "message": "Invitu novan uzanton al via organizo enigante ĉi-sube sian retpoŝtan adreson Bitwarden. Se ili ne havas Bitwarden-konton jam, ili estos petataj krei novan konton." }, "inviteMultipleEmailDesc": { "message": "Vi povas inviti ĝis $COUNT$ uzantojn samtempe per komo apartigante liston de retpoŝtadresoj.", "placeholders": { "count": { "content": "$1", "example": "20" } } }, "userUsingTwoStep": { "message": "Ĉi tiu uzanto uzas du-paŝan ensaluton por protekti sian konton." }, "userAccessAllItems": { "message": "Ĉi tiu uzanto povas aliri kaj modifi ĉiujn erojn." }, "userAccessSelectedCollections": { "message": "Ĉi tiu uzanto povas aliri nur la elektitajn kolektojn." }, "search": { "message": "Serĉi" }, "invited": { "message": "Invitita" }, "accepted": { "message": "Akceptita" }, "confirmed": { "message": "Konfirmita" }, "clientOwnerEmail": { "message": "Client Owner Email" }, "owner": { "message": "Posedanto" }, "ownerDesc": { "message": "La plej alt-alira uzanto, kiu povas administri ĉiujn aspektojn de via organizo." }, "clientOwnerDesc": { "message": "This user should be independent of the Provider. If the Provider is disassociated with the organization, this user will maintain ownership of the organization." }, "admin": { "message": "Administranto" }, "adminDesc": { "message": "Administrantoj povas aliri kaj administri ĉiujn erojn, kolektojn kaj uzantojn en via organizo." }, "user": { "message": "Uzanto" }, "userDesc": { "message": "Regula uzanto kun aliro al asignitaj kolektoj en via organizo." }, "manager": { "message": "Administranto" }, "managerDesc": { "message": "Administrantoj povas aliri kaj administri asignitajn kolektojn en via organizo." }, "all": { "message": "Ĉiuj" }, "refresh": { "message": "Refreŝigi" }, "timestamp": { "message": "Horstampo" }, "event": { "message": "Evento" }, "unknown": { "message": "Nekonata" }, "loadMore": { "message": "Ŝargi Pli" }, "mobile": { "message": "Poŝtelefono", "description": "Mobile app" }, "extension": { "message": "Etendaĵo", "description": "Browser extension/addon" }, "desktop": { "message": "Labortablo", "description": "Desktop app" }, "webVault": { "message": "Reta Volbo" }, "loggedIn": { "message": "Ensalutinta." }, "changedPassword": { "message": "Ŝanĝis pasvorton de konto." }, "enabledUpdated2fa": { "message": "Ebligita / ĝisdatigita du-ŝtupa ensaluto." }, "disabled2fa": { "message": "Malebligita du-ŝtupa ensaluto." }, "recovered2fa": { "message": "Rekuperita konto post du-ŝtupa ensaluto." }, "failedLogin": { "message": "Ensaluta provo malsukcesis kun malĝusta pasvorto." }, "failedLogin2fa": { "message": "Ensaluta provo malsukcesis kun malĝusta du-ŝtupa ensaluto." }, "exportedVault": { "message": "Eksportita trezorejo." }, "exportedOrganizationVault": { "message": "Eksportita organizo-volbo." }, "editedOrgSettings": { "message": "Redaktitaj organizaj agordoj." }, "createdItemId": { "message": "Kreita ero $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedItemId": { "message": "Redaktita ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedItemId": { "message": "Sendita ero $ID $al rubujo.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "movedItemIdToOrg": { "message": "Moved item $ID$ to an organization.", "placeholders": { "id": { "content": "$1", "example": "'Google'" } } }, "viewedItemId": { "message": "Vidita ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedPasswordItemId": { "message": "Vidita pasvorto por ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedHiddenFieldItemId": { "message": "Vidita kaŝita kampo por ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedSecurityCodeItemId": { "message": "Vidita sekureca kodo por ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedPasswordItemId": { "message": "Kopiita pasvorto por ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedHiddenFieldItemId": { "message": "Kopiita kaŝita kampo por ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedSecurityCodeItemId": { "message": "Kopiita sekureca kodo por ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "autofilledItemId": { "message": "Aŭtomate plenigita ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "createdCollectionId": { "message": "Kreita kolekto $ID $.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedCollectionId": { "message": "Redaktita kolekto $ID $.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "deletedCollectionId": { "message": "Forigita kolekto $ID $.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedPolicyId": { "message": "Redaktita politiko $ID $.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "createdGroupId": { "message": "Kreita grupo $ID $.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "editedGroupId": { "message": "Redaktita grupo $ID $.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "deletedGroupId": { "message": "Forigita grupo $ID $.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "removedUserId": { "message": "Forigita uzanto $ID $.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdAttachmentForItem": { "message": "Kreita aldonaĵo por ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedAttachmentForItem": { "message": "Forigita aldonaĵo por ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedCollectionsForItem": { "message": "Redaktitaj kolektoj por ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "invitedUserId": { "message": "Invitita uzanto $ID $.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "confirmedUserId": { "message": "Konfirmita uzanto $ID $.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedUserId": { "message": "Redaktita uzanto $ID $.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedGroupsForUser": { "message": "Redaktitaj grupoj por uzanto $ID $.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "unlinkedSsoUser": { "message": "Senligita SSO por uzanto $ID $.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdOrganizationId": { "message": "Created organization $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "addedOrganizationId": { "message": "Added organization $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "removedOrganizationId": { "message": "Removed organization $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "accessedClientVault": { "message": "Accessed $ID$ organization vault.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "device": { "message": "Aparato" }, "view": { "message": "Vidigi" }, "invalidDateRange": { "message": "Nevalida datintervalo." }, "errorOccurred": { "message": "Eraro okazis." }, "userAccess": { "message": "Uzanto-Aliro" }, "userType": { "message": "Uzanto-Tipo" }, "groupAccess": { "message": "Grupaliro" }, "groupAccessUserDesc": { "message": "Redaktu la grupojn al kiuj apartenas ĉi tiu uzanto." }, "invitedUsers": { "message": "Invititaj uzantoj." }, "resendInvitation": { "message": "Resendi Inviton" }, "resendEmail": { "message": "Resend Email" }, "hasBeenReinvited": { "message": "$USER$ estis reenvitita.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirm": { "message": "Konfirmi" }, "confirmUser": { "message": "Konfirmi uzanton" }, "hasBeenConfirmed": { "message": "$USER$ estas konfirmita.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirmUsers": { "message": "Konfirmi Uzantojn" }, "usersNeedConfirmed": { "message": "Vi havas uzantojn, kiuj akceptis sian inviton, sed tamen devas esti konfirmitaj. Uzantoj ne havos aliron al la organizo antaŭ ol ili estos konfirmitaj." }, "startDate": { "message": "Komenca dato" }, "endDate": { "message": "Fina dato" }, "verifyEmail": { "message": "Kontroli retpoŝton" }, "verifyEmailDesc": { "message": "Kontrolu la retpoŝtadreson de via konto por malŝlosi aliron al ĉiuj funkcioj." }, "verifyEmailFirst": { "message": "La retpoŝta adreso de via konto unue devas esti kontrolita." }, "checkInboxForVerification": { "message": "Kontrolu vian retpoŝtan enirkeston por kontroli ligon." }, "emailVerified": { "message": "Via retpoŝto estis kontrolita." }, "emailVerifiedFailed": { "message": "Ne eblas kontroli vian retpoŝton. Provu sendi novan kontrolan retpoŝton." }, "emailVerificationRequired": { "message": "Email Verification Required" }, "emailVerificationRequiredDesc": { "message": "You must verify your email to use this feature." }, "updateBrowser": { "message": "Ĝisdatigi retumilon" }, "updateBrowserDesc": { "message": "Vi uzas nesubtenatan tTT-legilon. La ttt-volbo eble ne funkcias ĝuste." }, "joinOrganization": { "message": "Aliĝi al Organizo" }, "joinOrganizationDesc": { "message": "Vi estis invitita aliĝi al la organizo supre listigita. Por akcepti la inviton, vi devas ensaluti aŭ krei novan Bitwarden-konton." }, "inviteAccepted": { "message": "Invito Akceptita" }, "inviteAcceptedDesc": { "message": "Vi povas aliri ĉi tiun organizon post kiam administranto konfirmos vian membrecon. Ni sendos al vi retpoŝton kiam tio okazos." }, "inviteAcceptFailed": { "message": "Ne eblas akcepti inviton. Petu administranton de organizo sendi novan inviton." }, "inviteAcceptFailedShort": { "message": "Ne eblas akcepti inviton. $DESCRIPTION $", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "rememberEmail": { "message": "Memoru retpoŝton" }, "recoverAccountTwoStepDesc": { "message": "Se vi ne povas aliri vian konton per viaj normalaj du-ŝtupaj ensalutaj metodoj, vi povas uzi vian du-ŝtupan ensalutan rekuperan kodon por malŝalti ĉiujn du-ŝtupajn provizantojn en via konto." }, "recoverAccountTwoStep": { "message": "Rekuperi Ensaluton Du-Paŝan" }, "twoStepRecoverDisabled": { "message": "Du-ŝtupa ensaluto estas malŝaltita en via konto." }, "learnMore": { "message": "Lernu pli" }, "deleteRecoverDesc": { "message": "Enigu vian retpoŝtan adreson sube por rekuperi kaj forigi vian konton." }, "deleteRecoverEmailSent": { "message": "Se via konto ekzistas, ni sendis al vi retpoŝton kun pliaj instrukcioj." }, "deleteRecoverConfirmDesc": { "message": "Vi petis forigi vian Bitwarden-konton. Alklaku la butonon sube por konfirmi." }, "myOrganization": { "message": "Mia Organizo" }, "deleteOrganization": { "message": "Forigi Organizon" }, "deletingOrganizationContentWarning": { "message": "Enter the master password to confirm deletion of $ORGANIZATION$ and all associated data. Vault data in $ORGANIZATION$ includes:", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "deletingOrganizationActiveUserAccountsWarning": { "message": "User accounts will remain active after deletion but will no longer be associated to this organization." }, "deletingOrganizationIsPermanentWarning": { "message": "Deleting $ORGANIZATION$ is permanent and irreversible.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "organizationDeleted": { "message": "Organizo Forigita" }, "organizationDeletedDesc": { "message": "La organizo kaj ĉiuj rilataj datumoj estis forigitaj." }, "organizationUpdated": { "message": "Organizo ĝisdatigita" }, "taxInformation": { "message": "Impostaj Informoj" }, "taxInformationDesc": { "message": "Por klientoj en Usono, poŝtkodo necesas por plenumi vendimpostajn postulojn, por aliaj landoj vi rajtas laŭvole doni impostan identigan numeron (VAT / GST) kaj / aŭ adreson por aperi sur viaj fakturoj." }, "billingPlan": { "message": "Plani", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlan": { "message": "Ŝanĝi Planon", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlanUpgrade": { "message": "Ĝisdatigu vian konton al alia plano donante la informojn sube. Bonvolu certigi, ke vi havas aktivan pagmanieron aldonitan al la konto.", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "invoiceNumber": { "message": "Fakturo # $NUMBER$", "description": "ex. Invoice #79C66F0-0001", "placeholders": { "number": { "content": "$1", "example": "79C66F0-0001" } } }, "viewInvoice": { "message": "Vidi Fakturon" }, "downloadInvoice": { "message": "Elŝuti Fakturon" }, "verifyBankAccount": { "message": "Kontroli bankan konton" }, "verifyBankAccountDesc": { "message": "Ni faris du mikrodeponejojn al via banka konto (ĝi povas daŭri 1-2 labortagojn por aperi). Enigu ĉi tiujn sumojn por kontroli la bankan konton." }, "verifyBankAccountInitialDesc": { "message": "Pago per banka konto disponeblas nur al klientoj en Usono. Vi devos kontroli vian bankan konton. Ni faros du mikro-deponejojn en la venontaj 1-2 labortagoj. Enigu ĉi tiujn sumojn en la faktura paĝo de la organizo por kontroli la bankan konton. " }, "verifyBankAccountFailureWarning": { "message": "Malsukceso kontroli la bankan konton rezultigos mankan pagon kaj via abono malŝaltita." }, "verifiedBankAccount": { "message": "Banka konto estas kontrolita." }, "bankAccount": { "message": "Banka Konto" }, "amountX": { "message": "Amount $COUNT$", "description": "Used in bank account verification of micro-deposits. Amount, as in a currency amount. Ex. Amount 1 is $2.00, Amount 2 is $1.50", "placeholders": { "count": { "content": "$1", "example": "1" } } }, "routingNumber": { "message": "Numero de Vojo", "description": "Bank account routing number" }, "accountNumber": { "message": "Konta Numero" }, "accountHolderName": { "message": "Nomo de Konto-Posedanto" }, "bankAccountType": { "message": "Kontospeco" }, "bankAccountTypeCompany": { "message": "Kompanio (Komerco)" }, "bankAccountTypeIndividual": { "message": "Individua (Persona)" }, "enterInstallationId": { "message": "Enigu vian instalan identigilon" }, "limitSubscriptionDesc": { "message": "Set a seat limit for your subscription. Once this limit is reached, you will not be able to invite new users." }, "maxSeatLimit": { "message": "Maximum Seat Limit (optional)", "description": "Upper limit of seats to allow through autoscaling" }, "maxSeatCost": { "message": "Max potential seat cost" }, "addSeats": { "message": "Aldoni Sidlokojn", "description": "Seat = User Seat" }, "removeSeats": { "message": "Forigi Sidlokojn", "description": "Seat = User Seat" }, "subscriptionDesc": { "message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users." }, "subscriptionUserSeats": { "message": "Via abono permesas entute $COUNT$ uzantojn.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "limitSubscription": { "message": "Limit Subscription (Optional)" }, "subscriptionSeats": { "message": "Subscription Seats" }, "subscriptionUpdated": { "message": "Subscription updated" }, "additionalOptions": { "message": "Additional Options" }, "additionalOptionsDesc": { "message": "For additional help in managing your subscription, please contact Customer Support." }, "subscriptionUserSeatsUnlimitedAutoscale": { "message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users." }, "subscriptionUserSeatsLimitedAutoscale": { "message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users until your $MAX$ seat limit is reached.", "placeholders": { "max": { "content": "$1", "example": "50" } } }, "subscriptionFreePlan": { "message": "You cannot invite more than $COUNT$ users without upgrading your plan.", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "subscriptionFamiliesPlan": { "message": "You cannot invite more than $COUNT$ users without upgrading your plan. Please contact Customer Support to upgrade.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionSponsoredFamiliesPlan": { "message": "Your subscription allows for a total of $COUNT$ users. Your plan is sponsored and billed to an external organization.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionMaxReached": { "message": "Adjustments to your subscription will result in prorated changes to your billing totals. You cannot invite more than $COUNT$ users without increasing your subscription seats.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "seatsToAdd": { "message": "Aldonaj Seĝoj" }, "seatsToRemove": { "message": "Forigeblaj Seĝoj" }, "seatsAddNote": { "message": "Aldoni uzantajn seĝojn rezultigos ĝustigojn al viaj fakturaj sumoj kaj tuj ŝargos vian pagmanieron en dosiero. La unua ŝarĝo estos proporciigita por la resto de la aktuala faktura ciklo." }, "seatsRemoveNote": { "message": "Forigi uzantajn seĝojn rezultigos ĝustigojn al viaj fakturaj sumoj, kiuj estos proratigitaj kiel kreditoj al via sekva faktura kosto." }, "adjustedSeats": { "message": "Ĝustigitaj $AMOUNT$ uzanto-seĝoj.", "placeholders": { "amount": { "content": "$1", "example": "15" } } }, "keyUpdated": { "message": "Ŝlosilo ĝisdatigita" }, "updateKeyTitle": { "message": "Ĝisdatiga Ŝlosilo" }, "updateEncryptionKey": { "message": "Ĝisdatigi Ĉifran Ŝlosilon" }, "updateEncryptionKeyShortDesc": { "message": "Vi nun uzas malmodernan ĉifran skemon." }, "updateEncryptionKeyDesc": { "message": "Ni transloĝiĝis al pli grandaj ĉifraj ŝlosiloj, kiuj donas pli bonan sekurecon kaj aliron al pli novaj funkcioj. Ĝisdatigi vian ĉifran ŝlosilon estas rapide kaj facile. Simple tajpu vian ĉefan pasvorton sube. Ĉi tiu ĝisdatigo fine fariĝos deviga." }, "updateEncryptionKeyWarning": { "message": "Post ĝisdatigi vian ĉifradan ŝlosilon, vi devas elsaluti kaj reeniri al ĉiuj Bitwarden-aplikaĵoj, kiujn vi nun uzas (kiel la poŝtelefona programo aŭ retumila etendaĵoj). Malsukceso elsaluti kaj reeniri (kiu elŝutas via nova ĉifra ŝlosilo) povas rezultigi korupton de datumoj. Ni provos elsaluti vin aŭtomate, tamen ĝi eble prokrastos. " }, "updateEncryptionKeyExportWarning": { "message": "Ĉiuj ĉifritaj eksportaĵoj, kiujn vi konservis, ankaŭ malvalidiĝos." }, "subscription": { "message": "Abono" }, "loading": { "message": "Ŝarĝante" }, "upgrade": { "message": "Ĝisdatigi" }, "upgradeOrganization": { "message": "Altgradiga Organizo" }, "upgradeOrganizationDesc": { "message": "Ĉi tiu funkcio ne haveblas por senpagaj organizoj. Ŝanĝu al pagita plano por malŝlosi pli da funkcioj." }, "createOrganizationStep1": { "message": "Krei Organizon: Paŝo 1" }, "createOrganizationCreatePersonalAccount": { "message": "Antaŭ ol krei vian organizon, vi unue devas krei senpagan personan konton." }, "refunded": { "message": "Repagita" }, "nothingSelected": { "message": "Vi elektis nenion." }, "acceptPolicies": { "message": "Markante ĉi tiun keston vi konsentas pri jeno:" }, "acceptPoliciesError": { "message": "Kondiĉoj pri Servo kaj Privateca Politiko ne estis agnoskitaj." }, "termsOfService": { "message": "Kondiĉoj por Servo" }, "privacyPolicy": { "message": "Privateca Politiko" }, "filters": { "message": "Filtriloj" }, "vaultTimeout": { "message": "Tempomezuro de Volbo" }, "vaultTimeoutDesc": { "message": "Elektu kiam via trezorejo eksvalidiĝos kaj plenumos la elektitan agon." }, "oneMinute": { "message": "1 minuto" }, "fiveMinutes": { "message": "5 minutoj" }, "fifteenMinutes": { "message": "15 minutoj" }, "thirtyMinutes": { "message": "30 minutoj" }, "oneHour": { "message": "1 horo" }, "fourHours": { "message": "4 horoj" }, "onRefresh": { "message": "Sur Retumila Aktualigo" }, "dateUpdated": { "message": "Ĝisdatigita", "description": "ex. Date this item was updated" }, "datePasswordUpdated": { "message": "Pasvorto Ĝisdatigita", "description": "ex. Date this password was updated" }, "organizationIsDisabled": { "message": "Organizo estas malŝaltita." }, "licenseIsExpired": { "message": "Licenco eksvalidiĝis." }, "updatedUsers": { "message": "Ĝisdatigitaj uzantoj" }, "selected": { "message": "Elektita" }, "ownership": { "message": "Posedo" }, "whoOwnsThisItem": { "message": "Kiu posedas ĉi tiun eron?" }, "strong": { "message": "Forta", "description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong" }, "good": { "message": "Bona", "description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weak": { "message": "Malforta", "description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "veryWeak": { "message": "Tre Malforta", "description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weakMasterPassword": { "message": "Malforta Majstra Pasvorto" }, "weakMasterPasswordDesc": { "message": "La majstra pasvorto, kiun vi elektis, estas malforta. Vi devas uzi fortan majstran pasvorton (aŭ pasfrazon) por ĝuste protekti vian Bitwarden-konton. Ĉu vi certe volas uzi ĉi tiun ĉefan pasvorton?" }, "rotateAccountEncKey": { "message": "Ankaŭ turnu la ĉifran ŝlosilon de mia konto" }, "rotateEncKeyTitle": { "message": "Rotacii Ĉifran Ŝlosilon" }, "rotateEncKeyConfirmation": { "message": "Ĉu vi certe volas turni la ĉifran ŝlosilon de via konto?" }, "attachmentsNeedFix": { "message": "Ĉi tiu ero havas malnovajn dosierajn aldonaĵojn, kiujn necesas ripari." }, "attachmentFixDesc": { "message": "Ĉi tio estas malnova riparenda dosiero, kiun necesas ripari. Alklaku por lerni pli." }, "fix": { "message": "Ripari", "description": "This is a verb. ex. 'Fix The Car'" }, "oldAttachmentsNeedFixDesc": { "message": "Estas malnovaj dosieraj aldonaĵoj en via trezorejo, kiuj devas esti riparitaj antaŭ ol vi povas turni la ĉifran ŝlosilon de via konto." }, "yourAccountsFingerprint": { "message": "Fingrospuro de via konto", "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": "Por certigi la integrecon de viaj ĉifradaj ŝlosiloj, bonvolu kontroli la fingrospuran frazon de la uzanto antaŭ ol daŭrigi.", "description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing." }, "dontAskFingerprintAgain": { "message": "Ne petu kontroli denove fingrospuran frazon", "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": "Senpaga", "description": "Free, as in 'Free beer'" }, "apiKey": { "message": "API-Ŝlosilo" }, "apiKeyDesc": { "message": "Via API-ŝlosilo povas esti uzata por aŭtentikigi al la publika API de Bitwarden." }, "apiKeyRotateDesc": { "message": "Rotacii la API-ŝlosilon nuligos la antaŭan ŝlosilon. Vi povas turni vian API-ŝlosilon se vi kredas, ke la nuna ŝlosilo ne plu estas sekura uzi." }, "apiKeyWarning": { "message": "Via API-ŝlosilo havas plenan aliron al la organizo. Ĝi estu tenata sekreta." }, "userApiKeyDesc": { "message": "Via API-ŝlosilo povas esti uzata por aŭtentikigi en la Bitwarden CLI." }, "userApiKeyWarning": { "message": "Via API-ŝlosilo estas alternativa aŭtentikiga me mechanismanismo. Ĝi devas esti sekretigita." }, "oauth2ClientCredentials": { "message": "Klientaj Atestiloj de OAuth 2.0", "description": "'OAuth 2.0' is a programming protocol. It should probably not be translated." }, "viewApiKey": { "message": "Vidi API-Ŝlosilon" }, "rotateApiKey": { "message": "Rotacii API-Ŝlosilon" }, "selectOneCollection": { "message": "Vi devas elekti almenaŭ unu kolekton." }, "couldNotChargeCardPayInvoice": { "message": "Ni ne povis ŝargi vian karton. Bonvolu vidi kaj pagi la senpagitan fakturon listigitan sube." }, "inAppPurchase": { "message": "En-aĉeta aĉeto" }, "cannotPerformInAppPurchase": { "message": "Vi ne povas plenumi ĉi tiun agon dum vi uzas en-programan aĉetan pagmanieron." }, "manageSubscriptionFromStore": { "message": "Vi devas administri vian abonon de la butiko, kie via aĉeta aĉeto estis farita." }, "minLength": { "message": "Minimuma longeco" }, "clone": { "message": "Kloni" }, "masterPassPolicyDesc": { "message": "Agordi minimumajn postulojn por majstra pasvorta forto." }, "twoStepLoginPolicyDesc": { "message": "Postuli uzantojn agordi du-ŝtupan ensaluton en siaj personaj kontoj." }, "twoStepLoginPolicyWarning": { "message": "Organizaj membroj, kiuj ne estas Posedantoj aŭ Administrantoj kaj ne havas du-paŝan ensaluton ebligita por sia persona konto, estos forigitaj de la organizo kaj ricevos retpoŝton sciigantan ilin pri la ŝanĝo." }, "twoStepLoginPolicyUserWarning": { "message": "Vi estas membro de organizo, kiu bezonas du-paŝan ensaluton por esti ebligita en via uzantokonto. Se vi malŝaltas ĉiujn du-paŝajn ensalutajn provizantojn, vi aŭtomate estos forigita de ĉi tiuj organizoj." }, "passwordGeneratorPolicyDesc": { "message": "Agordi minimumajn postulojn por agordi pasvortan generilon." }, "passwordGeneratorPolicyInEffect": { "message": "Unu aŭ pluraj organizaj politikoj influas viajn generatorajn agordojn." }, "masterPasswordPolicyInEffect": { "message": "Unu aŭ pluraj organizaj politikoj postulas vian ĉefan pasvorton por plenumi la jenajn postulojn:" }, "policyInEffectMinComplexity": { "message": "Minimuma kompleksa poentaro de $SCORE$", "placeholders": { "score": { "content": "$1", "example": "4" } } }, "policyInEffectMinLength": { "message": "Minimuma longo de $LENGTH$", "placeholders": { "length": { "content": "$1", "example": "14" } } }, "policyInEffectUppercase": { "message": "Enhavas unu aŭ plurajn majusklajn literojn" }, "policyInEffectLowercase": { "message": "Enhavas unu aŭ plurajn minusklojn" }, "policyInEffectNumbers": { "message": "Enhavas unu aŭ plurajn numerojn" }, "policyInEffectSpecial": { "message": "Enhavas unu aŭ pli el la jenaj specialaj signoj $CHARS$", "placeholders": { "chars": { "content": "$1", "example": "!@#$%^&*" } } }, "masterPasswordPolicyRequirementsNotMet": { "message": "Via nova majstra pasvorto ne plenumas la politikajn postulojn." }, "minimumNumberOfWords": { "message": "Minimuma Nombro de Vortoj" }, "defaultType": { "message": "Apriora Tipo" }, "userPreference": { "message": "Uzanta Prefero" }, "vaultTimeoutAction": { "message": "Volta Tempolima Ago" }, "vaultTimeoutActionLockDesc": { "message": "Ŝlosita trezorejo postulas, ke vi reenmetu vian ĉefan pasvorton por aliri ĝin denove." }, "vaultTimeoutActionLogOutDesc": { "message": "Ensalutita volbo postulas, ke vi denove aŭtentikigu por aliri ĝin denove." }, "lock": { "message": "Ŝlosi", "description": "Verb form: to make secure or inaccesible by" }, "trash": { "message": "Rubujo", "description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted" }, "searchTrash": { "message": "Serĉi rubujon" }, "permanentlyDelete": { "message": "Konstante Forigi" }, "permanentlyDeleteSelected": { "message": "Permanently Delete Selected" }, "permanentlyDeleteItem": { "message": "Konstante Forigi Artikolon" }, "permanentlyDeleteItemConfirmation": { "message": "Ĉu vi certe volas konstante forigi ĉi tiun eron?" }, "permanentlyDeletedItem": { "message": "Konstante forigita ero" }, "permanentlyDeletedItems": { "message": "Konstante Forigitaj Eroj" }, "permanentlyDeleteSelectedItemsDesc": { "message": "Vi elektis $COUNT$ eron (j) por konstante forigi. Ĉu vi certas, ke vi volas forigi konstante ĉiujn ĉi tiujn erojn?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "permanentlyDeletedItemId": { "message": "Konstante Forigita ero $ID $.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "restore": { "message": "Restarigi" }, "restoreSelected": { "message": "Restarigi elektitajn" }, "restoreItem": { "message": "Restarigi Artikolon" }, "restoredItem": { "message": "Restarigita elemento" }, "restoredItems": { "message": "Restarigitaj Eroj" }, "restoreItemConfirmation": { "message": "Ĉu vi certe volas restarigi ĉi tiun eron?" }, "restoreItems": { "message": "Restarigi erojn" }, "restoreSelectedItemsDesc": { "message": "Vi elektis $COUNT$ eron (j) por restarigi. Ĉu vi certe volas restarigi ĉiujn ĉi tiujn erojn?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "restoredItemId": { "message": "Restored item $ID$.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "vaultTimeoutLogOutConfirmation": { "message": "Elsaluti forigos ĉian aliron al via trezorejo kaj postulas interretan aŭtentikigon post la limtempo. Ĉu vi certas, ke vi volas uzi ĉi tiun agordon?" }, "vaultTimeoutLogOutConfirmationTitle": { "message": "Konfirmado de Tempolima Ago" }, "hidePasswords": { "message": "Kaŝi Pasvortojn" }, "countryPostalCodeRequiredDesc": { "message": "Ni postulas ĉi tiujn informojn nur por kalkuli vendimposton kaj financan raportadon." }, "includeVAT": { "message": "Inkluzivi informojn pri VAT / GST (nedeviga)" }, "taxIdNumber": { "message": "Imposta ID de VAT / GST" }, "taxInfoUpdated": { "message": "Impostaj informoj ĝisdatigitaj." }, "setMasterPassword": { "message": "Agordi Majstran Pasvorton" }, "ssoCompleteRegistration": { "message": "Por kompletigi ensalutadon per SSO, bonvolu agordi ĉefan pasvorton por aliri kaj protekti vian trezorejon." }, "identifier": { "message": "Identigilo" }, "organizationIdentifier": { "message": "Organiza Identigilo" }, "ssoLogInWithOrgIdentifier": { "message": "Ensalutu per la unika ensaluta portalo de via organizo. Bonvolu enigi la identigilon de via organizo por komenci." }, "enterpriseSingleSignOn": { "message": "Entreprena Ununura Ensaluto" }, "ssoHandOff": { "message": "Vi povas nun fermi ĉi tiun langeton kaj daŭrigi en la etendaĵo." }, "includeAllTeamsFeatures": { "message": "Ĉiuj funkcioj de teamoj, plus:" }, "includeSsoAuthentication": { "message": "SSO-Aŭtentikigo per SAML2.0 kaj OpenID Connect" }, "includeEnterprisePolicies": { "message": "Entreprenaj Politikoj" }, "ssoValidationFailed": { "message": "SSO-Validado Malsukcesis" }, "ssoIdentifierRequired": { "message": "Organiza Identigilo necesas." }, "unlinkSso": { "message": "Malkonekti SSO" }, "unlinkSsoConfirmation": { "message": "Are you sure you want to unlink SSO for this organization?" }, "linkSso": { "message": "Ligi SSO" }, "singleOrg": { "message": "Ununura Organizo" }, "singleOrgDesc": { "message": "Limigi uzantojn povi aliĝi al iuj aliaj organizoj." }, "singleOrgBlockCreateMessage": { "message": "Via nuna organizo havas politikon, kiu ne permesas vin aliĝi al pli ol unu organizo. Bonvolu kontakti administrantojn de via organizo aŭ registriĝi de alia Bitwarden-konto." }, "singleOrgPolicyWarning": { "message": "Organizaj membroj, kiuj ne estas Posedantoj aŭ Administrantoj kaj jam estas membro de alia organizo, estos forigitaj de via organizo." }, "requireSso": { "message": "Ununura Ensaluta Aŭtentikigo" }, "requireSsoPolicyDesc": { "message": "Postuli uzantojn ensaluti per la entrepreno pri sola ensaluto." }, "prerequisite": { "message": "Antaŭkondiĉo" }, "requireSsoPolicyReq": { "message": "La entreprena politiko pri Ununura Organizo devas esti ebligita antaŭ ol aktivigi ĉi tiun politikon." }, "requireSsoPolicyReqError": { "message": "Politiko pri Ununura Organizo ne ebligita." }, "requireSsoExemption": { "message": "Organizaj Posedantoj kaj Administrantoj estas esceptitaj de la apliko de ĉi tiu politiko." }, "sendTypeFile": { "message": "Dosiero" }, "sendTypeText": { "message": "Teksto" }, "createSend": { "message": "Krei novan sendon", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editSend": { "message": "Redakti Sendu", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "createdSend": { "message": "Kreita Sendo", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editedSend": { "message": "Redaktita Sendo", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletedSend": { "message": "Forigita Sendo", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSend": { "message": "Forigi Sendu", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSendConfirmation": { "message": "Ĉu vi certe volas forigi ĉi tiun Sendon?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "whatTypeOfSend": { "message": "Kia Sendo estas ĉi tio?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletionDate": { "message": "Dato de Forigo" }, "deletionDateDesc": { "message": "La Sendo estos definitive forigita en la specifaj dato kaj horo.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDate": { "message": "Findato" }, "expirationDateDesc": { "message": "Se agordita, aliro al ĉi tiu Sendo eksvalidiĝos je la specifaj dato kaj horo.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "maxAccessCount": { "message": "Maksimuma Aliro-Kalkulo" }, "maxAccessCountDesc": { "message": "Se agordite, uzantoj ne plu povos aliri ĉi tiun sendon post kiam la maksimuma alira kalkulo estos atingita.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "currentAccessCount": { "message": "Nuna Alira Kalkulo" }, "sendPasswordDesc": { "message": "Laŭvole postulas pasvorton por uzantoj aliri ĉi tiun Sendon.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNotesDesc": { "message": "Privataj notoj pri ĉi tiu Sendo.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disabled": { "message": "Malebligita" }, "sendLink": { "message": "Sendi ligon", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "copySendLink": { "message": "Kopii Sendu Ligilon", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "removePassword": { "message": "Forigi pasvorton" }, "removedPassword": { "message": "Forigita Pasvorto" }, "removePasswordConfirmation": { "message": "Ĉu vi certe volas forigi la pasvorton?" }, "hideEmail": { "message": "Hide my email address from recipients." }, "disableThisSend": { "message": "Malŝalti ĉi tiun Sendon por ke neniu povu aliri ĝin.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "allSends": { "message": "Ĉiuj Sendoj" }, "maxAccessCountReached": { "message": "Maksimuma alirnombro atingis", "description": "This text will be displayed after a Send has been accessed the maximum amount of times." }, "pendingDeletion": { "message": "Atendanta forigo" }, "expired": { "message": "Eksvalidiĝis" }, "searchSends": { "message": "Serĉaj Sendoj", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPassword": { "message": "Ĉi tiu Sendo estas protektita per pasvorto. Bonvolu tajpi la pasvorton sube por daŭrigi.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPasswordDontKnow": { "message": "Ĉu vi ne scias la pasvorton? Petu al la Sendinto la pasvorton bezonatan por aliri ĉi tiun Sendon.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendHiddenByDefault": { "message": "Ĉi tiu sendado estas kaŝita defaŭlte. Vi povas ŝalti ĝian videblecon per la suba butono.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "downloadFile": { "message": "Elŝuti dosieron" }, "sendAccessUnavailable": { "message": "La Sendo, kiun vi provas aliri, ne ekzistas aŭ ne plu haveblas.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "missingSendFile": { "message": "La dosiero asociita kun ĉi tiu Sendo ne estis trovebla.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "noSendsInList": { "message": "Estas neniuj Sendoj por listigi.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "emergencyAccess": { "message": "Kriza Aliro" }, "emergencyAccessDesc": { "message": "Donu kaj administru krizan aliron por fidindaj kontaktoj. Fidindaj kontaktoj povas peti aliron al aŭ Vidi aŭ Transpreni vian konton en kazo de krizo. Vizitu nian helpopaĝon por pliaj informoj kaj detaloj pri kiel funkcias nula scio-dividado." }, "emergencyAccessOwnerWarning": { "message": "Vi estas Posedanto de unu aŭ pluraj organizoj. Se vi donas transprenan aliron al urĝa kontakto, ili povos uzi ĉiujn viajn permesojn kiel Posedanto post transpreno." }, "trustedEmergencyContacts": { "message": "Fidindaj krizaj kontaktoj" }, "noTrustedContacts": { "message": "Vi ankoraŭ ne aldonis krizajn kontaktojn, invitu fidindan kontakton por komenci." }, "addEmergencyContact": { "message": "Aldoni krizan kontakton" }, "designatedEmergencyContacts": { "message": "Elektita kiel kriz-kontakto" }, "noGrantedAccess": { "message": "Vi ankoraŭ ne estis nomumita kiel urĝa kontakto por iu ajn." }, "inviteEmergencyContact": { "message": "Inviti krizan kontakton" }, "editEmergencyContact": { "message": "Redakti krizan kontakton" }, "inviteEmergencyContactDesc": { "message": "Invitu novan krizan kontakton enigante sube sian retpoŝtan adreson Bitwarden. Se ili ne havas Bitwarden-konton jam, ili estos petataj krei novan konton." }, "emergencyAccessRecoveryInitiated": { "message": "Kriza Aliro Komencita" }, "emergencyAccessRecoveryApproved": { "message": "Akutaliro aprobita" }, "viewDesc": { "message": "Povas vidi ĉiujn erojn en via propra trezorejo." }, "takeover": { "message": "Transpreno" }, "takeoverDesc": { "message": "Povas reagordi vian konton per nova majstra pasvorto." }, "waitTime": { "message": "Atendotempo" }, "waitTimeDesc": { "message": "Tempo bezonata antaŭ ol aŭtomate doni aliron." }, "oneDay": { "message": "1 tago" }, "days": { "message": "$TAGOJ$ tagoj", "placeholders": { "days": { "content": "$1", "example": "1" } } }, "invitedUser": { "message": "Invitita uzanto." }, "acceptEmergencyAccess": { "message": "Vi estis invitita fariĝi urĝa kontakto por la supre listigita uzanto. Por akcepti la inviton, vi devas ensaluti aŭ krei novan Bitwarden-konton." }, "emergencyInviteAcceptFailed": { "message": "Ne eblas akcepti inviton. Petu la uzanton sendi novan inviton." }, "emergencyInviteAcceptFailedShort": { "message": "Ne eblas akcepti inviton. $DESCRIPTION $", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "emergencyInviteAcceptedDesc": { "message": "Vi povas aliri la krizajn eblojn por ĉi tiu uzanto post kiam via identeco estis konfirmita. Ni sendos al vi retpoŝton kiam tio okazos." }, "requestAccess": { "message": "Peti Aliron" }, "requestAccessConfirmation": { "message": "Ĉu vi certe volas peti krizan aliron? Vi ricevos aliron post $WAITTIME$ tago (j) aŭ kiam la uzanto mane aprobos la peton.", "placeholders": { "waittime": { "content": "$1", "example": "1" } } }, "requestSent": { "message": "Kriza aliro petita por $USER $. Ni sciigos vin per retpoŝto kiam eblas daŭrigi.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "approve": { "message": "Aprovi" }, "reject": { "message": "Malakcepti" }, "approveAccessConfirmation": { "message": "Ĉu vi certe volas aprobi krizan aliron? Ĉi tio permesos $USER$ al $ACTION$ via konto.", "placeholders": { "user": { "content": "$1", "example": "John Smith" }, "action": { "content": "$2", "example": "View" } } }, "emergencyApproved": { "message": "Akutaliro aprobita." }, "emergencyRejected": { "message": "Krizaliro malakceptita" }, "passwordResetFor": { "message": "Pasvorta restarigo por $USER $. Vi nun povas ensaluti per la nova pasvorto.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "personalOwnership": { "message": "Persona Posedo" }, "personalOwnershipPolicyDesc": { "message": "Postuli uzantojn konservi trezorejojn al organizo forigante la opcion pri persona posedo." }, "personalOwnershipExemption": { "message": "Organizaj Posedantoj kaj Administrantoj estas esceptitaj de la apliko de ĉi tiu politiko." }, "personalOwnershipSubmitError": { "message": "Pro entreprena politiko, vi ne rajtas konservi artikolojn al via persona trezorejo. Ŝanĝu la opcion Proprieto al organizo kaj elektu el disponeblaj Kolektoj." }, "disableSend": { "message": "Malebligi Sendi" }, "disableSendPolicyDesc": { "message": "Ne permesu al uzantoj krei aŭ redakti Bitwarden Sendon. Forigi ekzistantan Sendon estas ankoraŭ permesita.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disableSendExemption": { "message": "Organizaj uzantoj, kiuj povas administri la politikojn de la organizo, estas esceptitaj de la devigo de ĉi tiu politiko." }, "sendDisabled": { "message": "Sendu malebligita", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendDisabledWarning": { "message": "Pro entreprena politiko, vi nur povas forigi ekzistantan Sendon.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptions": { "message": "Send Options", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyDesc": { "message": "Set options for creating and editing Sends.", "description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsExemption": { "message": "Organization users that can manage the organization's policies are exempt from this policy's enforcement." }, "disableHideEmail": { "message": "Do not allow users to hide their email address from recipients when creating or editing a Send.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyInEffect": { "message": "The following organization policies are currently in effect:" }, "sendDisableHideEmailInEffect": { "message": "Users are not allowed to hide their email address from recipients when creating or editing a Send.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "modifiedPolicyId": { "message": "Modifita politiko $ID $.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "planPrice": { "message": "Plana prezo" }, "estimatedTax": { "message": "Taksita imposto" }, "custom": { "message": "Propra" }, "customDesc": { "message": "Permesas pli detalan kontrolon de uzaj permesoj por progresintaj agordoj." }, "permissions": { "message": "Permesoj" }, "accessEventLogs": { "message": "Aliri Eventajn Registrojn" }, "accessImportExport": { "message": "Aliri Importi / Eksporti" }, "accessReports": { "message": "Aliraj Raportoj" }, "missingPermissions": { "message": "You lack the necessary permissions to perform this action." }, "manageAllCollections": { "message": "Administri ĉiujn kolektojn" }, "createNewCollections": { "message": "Create New Collections" }, "editAnyCollection": { "message": "Edit Any Collection" }, "deleteAnyCollection": { "message": "Delete Any Collection" }, "manageAssignedCollections": { "message": "Administri Asignitajn Kolektojn" }, "editAssignedCollections": { "message": "Edit Assigned Collections" }, "deleteAssignedCollections": { "message": "Delete Assigned Collections" }, "manageGroups": { "message": "Administri Grupojn" }, "managePolicies": { "message": "Administri Politikojn" }, "manageSso": { "message": "Administri SSO" }, "manageUsers": { "message": "Administri Uzantojn" }, "manageResetPassword": { "message": "Manage Password Reset" }, "disableRequiredError": { "message": "You must manually disable the $POLICYNAME$ policy before this policy can be disabled.", "placeholders": { "policyName": { "content": "$1", "example": "Single Sign-On Authentication" } } }, "personalOwnershipPolicyInEffect": { "message": "Organiza politiko influas viajn posedopciojn." }, "personalOwnershipPolicyInEffectImports": { "message": "An organization policy has disabled importing items into your personal vault." }, "personalOwnershipCheckboxDesc": { "message": "Malebligi personan posedon por organizaj uzantoj" }, "textHiddenByDefault": { "message": "Alirante la Sendon, kaŝu la tekston defaŭlte", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNameDesc": { "message": "Amika nomo por priskribi ĉi tiun Sendon.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendTextDesc": { "message": "La teksto, kiun vi volas sendi." }, "sendFileDesc": { "message": "La dosiero, kiun vi volas sendi." }, "copySendLinkOnSave": { "message": "Kopiu la ligon por dividi ĉi tion Sendu al mia tondujo post konservado." }, "sendLinkLabel": { "message": "Sendi ligon", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "send": { "message": "Sendi", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendAccessTaglineProductDesc": { "message": "Bitwarden Send transdonas sentemajn provizorajn informojn al aliaj facile kaj sekure.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendAccessTaglineLearnMore": { "message": "Lernu pli pri", "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": "Kunhavigi tekston aŭ dosierojn rekte kun iu ajn." }, "sendVaultCardLearnMore": { "message": "Lernu pli", "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": "vidu", "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": "kiel ĝi funkcias", "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": "aŭ", "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": "provu ĝin nun", "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": "aŭ", "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": "aliĝi", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or **sign up** to try it today.'" }, "sendAccessTaglineTryToday": { "message": "provi ĝin hodiaŭ.", "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-uzanto $USER_IDENTIFIER$ dividis la jenon kun vi", "placeholders": { "user_identifier": { "content": "$1", "example": "An email address" } } }, "viewSendHiddenEmailWarning": { "message": "The Bitwarden user who created this Send has chosen to hide their email address. You should ensure you trust the source of this link before using or downloading its content.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDateIsInvalid": { "message": "La donita eksvalidiĝa dato ne validas." }, "deletionDateIsInvalid": { "message": "La forigita dato donita ne validas." }, "expirationDateAndTimeRequired": { "message": "Eksvalidiĝa dato kaj horo necesas." }, "deletionDateAndTimeRequired": { "message": "Forigo de dato kaj horo estas bezonataj." }, "dateParsingError": { "message": "Estis eraro konservante viajn forigajn kaj eksvalidajn datojn." }, "webAuthnFallbackMsg": { "message": "To verify your 2FA please click the button below." }, "webAuthnAuthenticate": { "message": "Authenticate WebAuthn" }, "webAuthnNotSupported": { "message": "WebAuthn is not supported in this browser." }, "webAuthnSuccess": { "message": "WebAuthn verified successfully! You may close this tab." }, "hintEqualsPassword": { "message": "Your password hint cannot be the same as your password." }, "enrollPasswordReset": { "message": "Enroll in Password Reset" }, "enrolledPasswordReset": { "message": "Enrolled in Password Reset" }, "withdrawPasswordReset": { "message": "Withdraw from Password Reset" }, "enrollPasswordResetSuccess": { "message": "Enrollment success!" }, "withdrawPasswordResetSuccess": { "message": "Withdrawal success!" }, "eventEnrollPasswordReset": { "message": "User $ID$ enrolled in password reset assistance.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventWithdrawPasswordReset": { "message": "User $ID$ withdrew from password reset assistance.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventAdminPasswordReset": { "message": "Master password reset for user $ID$.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventResetSsoLink": { "message": "Reset Sso link for user $ID$", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "firstSsoLogin": { "message": "$ID$ logged in using Sso for the first time", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "resetPassword": { "message": "Reset Password" }, "resetPasswordLoggedOutWarning": { "message": "Proceeding will log $NAME$ out of their current session, requiring them to log back in. Active sessions on other devices may continue to remain active for up to one hour.", "placeholders": { "name": { "content": "$1", "example": "John Smith" } } }, "thisUser": { "message": "this user" }, "resetPasswordMasterPasswordPolicyInEffect": { "message": "One or more organization policies require the master password to meet the following requirements:" }, "resetPasswordSuccess": { "message": "Password reset success!" }, "resetPasswordEnrollmentWarning": { "message": "Enrollment will allow organization administrators to change your master password. Are you sure you want to enroll?" }, "resetPasswordPolicy": { "message": "Master Password Reset" }, "resetPasswordPolicyDescription": { "message": "Allow administrators in the organization to reset organization users' master password." }, "resetPasswordPolicyWarning": { "message": "Users in the organization will need to self-enroll or be auto-enrolled before administrators can reset their master password." }, "resetPasswordPolicyAutoEnroll": { "message": "Automatic Enrollment" }, "resetPasswordPolicyAutoEnrollDescription": { "message": "All users will be automatically enrolled in password reset once their invite is accepted and will not be allowed to withdraw." }, "resetPasswordPolicyAutoEnrollWarning": { "message": "Users already in the organization will not be retroactively enrolled in password reset. They will need to self-enroll before administrators can reset their master password." }, "resetPasswordPolicyAutoEnrollCheckbox": { "message": "Require new users to be enrolled automatically" }, "resetPasswordAutoEnrollInviteWarning": { "message": "This organization has an enterprise policy that will automatically enroll you in password reset. Enrollment will allow organization administrators to change your master password." }, "resetPasswordOrgKeysError": { "message": "Organization Keys response is null" }, "resetPasswordDetailsError": { "message": "Reset Password Details response is null" }, "trashCleanupWarning": { "message": "Items that have been in Trash more than 30 days will be automatically deleted." }, "trashCleanupWarningSelfHosted": { "message": "Items that have been in Trash for a while will be automatically deleted." }, "passwordPrompt": { "message": "Master password re-prompt" }, "passwordConfirmation": { "message": "Master password confirmation" }, "passwordConfirmationDesc": { "message": "This action is protected. To continue, please re-enter your master password to verify your identity." }, "reinviteSelected": { "message": "Resend Invitations" }, "noSelectedUsersApplicable": { "message": "This action is not applicable to any of the selected users." }, "removeUsersWarning": { "message": "Are you sure you want to remove the following users? The process may take a few seconds to complete and cannot be interrupted or canceled." }, "theme": { "message": "Theme" }, "themeDesc": { "message": "Choose a theme for your web vault." }, "themeSystem": { "message": "Use System Theme" }, "themeDark": { "message": "Dark" }, "themeLight": { "message": "Light" }, "confirmSelected": { "message": "Confirm Selected" }, "bulkConfirmStatus": { "message": "Bulk action status" }, "bulkConfirmMessage": { "message": "Confirmed successfully." }, "bulkReinviteMessage": { "message": "Reinvited successfully." }, "bulkRemovedMessage": { "message": "Removed successfully" }, "bulkFilteredMessage": { "message": "Excluded, not applicable for this action." }, "fingerprint": { "message": "Fingerprint" }, "removeUsers": { "message": "Remove Users" }, "error": { "message": "Error" }, "resetPasswordManageUsers": { "message": "Manage Users must also be enabled with the Manage Password Reset permission" }, "setupProvider": { "message": "Provider Setup" }, "setupProviderLoginDesc": { "message": "You've been invited to setup a new provider. To continue, you need to log in or create a new Bitwarden account." }, "setupProviderDesc": { "message": "Please enter the details below to complete the provider setup. Contact Customer Support if you have any questions." }, "providerName": { "message": "Provider Name" }, "providerSetup": { "message": "The provider has been set up." }, "clients": { "message": "Clients" }, "providerAdmin": { "message": "Provider Admin" }, "providerAdminDesc": { "message": "The highest access user that can manage all aspects of your provider as well as access and manage client organizations." }, "serviceUser": { "message": "Service User" }, "serviceUserDesc": { "message": "Service users can access and manage all client organizations." }, "providerInviteUserDesc": { "message": "Invite a new user to your provider by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account." }, "joinProvider": { "message": "Join Provider" }, "joinProviderDesc": { "message": "You've been invited to join the provider listed above. To accept the invitation, you need to log in or create a new Bitwarden account." }, "providerInviteAcceptFailed": { "message": "Unable to accept invitation. Ask a provider admin to send a new invitation." }, "providerInviteAcceptedDesc": { "message": "You can access this provider once an administrator confirms your membership. We'll send you an email when that happens." }, "providerUsersNeedConfirmed": { "message": "You have users that have accepted their invitation, but still need to be confirmed. Users will not have access to the provider until they are confirmed." }, "provider": { "message": "Provider" }, "newClientOrganization": { "message": "New Client Organization" }, "newClientOrganizationDesc": { "message": "Create a new client organization that will be associated with you as the provider. You will be able to access and manage this organization." }, "addExistingOrganization": { "message": "Add Existing Organization" }, "myProvider": { "message": "My Provider" }, "addOrganizationConfirmation": { "message": "Are you sure you want to add $ORGANIZATION$ as a client to $PROVIDER$?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" }, "provider": { "content": "$2", "example": "My Provider Name" } } }, "organizationJoinedProvider": { "message": "Organization was successfully added to the provider" }, "accessingUsingProvider": { "message": "Accessing organization using provider $PROVIDER$", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "providerIsDisabled": { "message": "Provider is disabled." }, "providerUpdated": { "message": "Provider updated" }, "yourProviderIs": { "message": "Your provider is $PROVIDER$. They have administrative and billing privileges for your organization.", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "detachedOrganization": { "message": "The organization $ORGANIZATION$ has been detached from your provider.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "detachOrganizationConfirmation": { "message": "Are you sure you want to detach this organization? The organization will continue to exist but will no longer be managed by the provider." }, "add": { "message": "Add" }, "updatedMasterPassword": { "message": "Updated Master Password" }, "updateMasterPassword": { "message": "Update Master Password" }, "updateMasterPasswordWarning": { "message": "Your Master Password was recently changed by an administrator in your organization. In order to access the vault, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour." }, "masterPasswordInvalidWarning": { "message": "Your Master Password does not meet the policy requirements of this organization. In order to join the organization, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour." }, "maximumVaultTimeout": { "message": "Vault Timeout" }, "maximumVaultTimeoutDesc": { "message": "Configure a maximum vault timeout for all users." }, "maximumVaultTimeoutLabel": { "message": "Maximum Vault Timeout" }, "invalidMaximumVaultTimeout": { "message": "Invalid Maximum Vault Timeout." }, "hours": { "message": "Hours" }, "minutes": { "message": "Minutes" }, "vaultTimeoutPolicyInEffect": { "message": "Your organization policies are affecting your vault timeout. Maximum allowed Vault Timeout is $HOURS$ hour(s) and $MINUTES$ minute(s)", "placeholders": { "hours": { "content": "$1", "example": "5" }, "minutes": { "content": "$2", "example": "5" } } }, "customVaultTimeout": { "message": "Custom Vault Timeout" }, "vaultTimeoutToLarge": { "message": "Your vault timeout exceeds the restriction set by your organization." }, "disablePersonalVaultExport": { "message": "Disable Personal Vault Export" }, "disablePersonalVaultExportDesc": { "message": "Prohibits users from exporting their private vault data." }, "vaultExportDisabled": { "message": "Vault Export Disabled" }, "personalVaultExportPolicyInEffect": { "message": "One or more organization policies prevents you from exporting your personal vault." }, "selectType": { "message": "Select SSO Type" }, "type": { "message": "Type" }, "openIdConnectConfig": { "message": "OpenID Connect Configuration" }, "samlSpConfig": { "message": "SAML Service Provider Configuration" }, "samlIdpConfig": { "message": "SAML Identity Provider Configuration" }, "callbackPath": { "message": "Callback Path" }, "signedOutCallbackPath": { "message": "Signed Out Callback Path" }, "authority": { "message": "Authority" }, "clientId": { "message": "Client ID" }, "clientSecret": { "message": "Client Secret" }, "metadataAddress": { "message": "Metadata Address" }, "oidcRedirectBehavior": { "message": "OIDC Redirect Behavior" }, "getClaimsFromUserInfoEndpoint": { "message": "Get claims from user info endpoint" }, "additionalScopes": { "message": "Custom Scopes" }, "additionalUserIdClaimTypes": { "message": "Custom User ID Claim Types" }, "additionalEmailClaimTypes": { "message": "Email Claim Types" }, "additionalNameClaimTypes": { "message": "Custom Name Claim Types" }, "acrValues": { "message": "Requested Authentication Context Class Reference values" }, "expectedReturnAcrValue": { "message": "Expected \"acr\" Claim Value In Response" }, "spEntityId": { "message": "SP Entity ID" }, "spMetadataUrl": { "message": "SAML 2.0 Metadata URL" }, "spAcsUrl": { "message": "Assertion Consumer Service (ACS) URL" }, "spNameIdFormat": { "message": "Name ID Format" }, "spOutboundSigningAlgorithm": { "message": "Outbound Signing Algorithm" }, "spSigningBehavior": { "message": "Signing Behavior" }, "spMinIncomingSigningAlgorithm": { "message": "Minimum Incoming Signing Algorithm" }, "spWantAssertionsSigned": { "message": "Expect signed assertions" }, "spValidateCertificates": { "message": "Validate certificates" }, "idpEntityId": { "message": "Entity ID" }, "idpBindingType": { "message": "Binding Type" }, "idpSingleSignOnServiceUrl": { "message": "Single Sign On Service URL" }, "idpSingleLogoutServiceUrl": { "message": "Single Log Out Service URL" }, "idpX509PublicCert": { "message": "X509 Public Certificate" }, "idpOutboundSigningAlgorithm": { "message": "Outbound Signing Algorithm" }, "idpAllowUnsolicitedAuthnResponse": { "message": "Allow unsolicited authentication response" }, "idpAllowOutboundLogoutRequests": { "message": "Allow outbound logout requests" }, "idpSignAuthenticationRequests": { "message": "Sign authentication requests" }, "ssoSettingsSaved": { "message": "Single Sign-On configuration was saved." }, "sponsoredFamilies": { "message": "Free Bitwarden Families" }, "sponsoredFamiliesEligible": { "message": "You and your family are eligible for Free Bitwarden Families. Redeem with your personal email to keep your data secure even when you are not at work." }, "sponsoredFamiliesEligibleCard": { "message": "Redeem your Free Bitwarden for Families plan today to keep your data secure even when you are not at work." }, "sponsoredFamiliesInclude": { "message": "The Bitwarden for Families plan include" }, "sponsoredFamiliesPremiumAccess": { "message": "Premium access for up to 6 users" }, "sponsoredFamiliesSharedCollections": { "message": "Shared collections for Family secrets" }, "badToken": { "message": "The link is no longer valid. Please have the sponsor resend the offer." }, "reclaimedFreePlan": { "message": "Reclaimed free plan" }, "redeem": { "message": "Redeem" }, "sponsoredFamiliesSelectOffer": { "message": "Select the organization you would like sponsored" }, "familiesSponsoringOrgSelect": { "message": "Which Free Families offer would you like to redeem?" }, "sponsoredFamiliesEmail": { "message": "Enter your personal email to redeem Bitwarden Families" }, "sponsoredFamiliesLeaveCopy": { "message": "If you leave or are removed from the sponsoring organization, your Families plan will expire at the end of the billing period." }, "acceptBitwardenFamiliesHelp": { "message": "Accept offer for an existing organization or create a new Families organization." }, "setupSponsoredFamiliesLoginDesc": { "message": "You've been offered a free Bitwarden Families Plan Organization. To continue, you need to log in to the account that received the offer." }, "sponsoredFamiliesAcceptFailed": { "message": "Unable to accept offer. Please resend the offer email from your enterprise account and try again." }, "sponsoredFamiliesAcceptFailedShort": { "message": "Unable to accept offer. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must have at least one existing Families Organization." } } }, "sponsoredFamiliesOffer": { "message": "Accept Free Bitwarden Families" }, "sponsoredFamiliesOfferRedeemed": { "message": "Free Bitwarden Families offer successfully redeemed" }, "redeemed": { "message": "Redeemed" }, "redeemedAccount": { "message": "Redeemed Account" }, "revokeAccount": { "message": "Revoke account $NAME$", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "resendEmailLabel": { "message": "Resend Sponsorship email to $NAME$ sponsorship", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "freeFamiliesPlan": { "message": "Free Families Plan" }, "redeemNow": { "message": "Redeem Now" }, "recipient": { "message": "Recipient" }, "removeSponsorship": { "message": "Remove Sponsorship" }, "removeSponsorshipConfirmation": { "message": "After removing a sponsorship, you will be responsible for this subscription and related invoices. Are you sure you want to continue?" }, "sponsorshipCreated": { "message": "Sponsorship Created" }, "revoke": { "message": "Revoke" }, "emailSent": { "message": "Email Sent" }, "revokeSponsorshipConfirmation": { "message": "After removing this account, the Families organization owner will be responsible for this subscription and related invoices. Are you sure you want to continue?" }, "removeSponsorshipSuccess": { "message": "Sponsorship Removed" }, "ssoKeyConnectorUnavailable": { "message": "Unable to reach the Key Connector, try again later." }, "keyConnectorUrl": { "message": "Key Connector URL" }, "sendVerificationCode": { "message": "Send a verification code to your email" }, "sendCode": { "message": "Send Code" }, "codeSent": { "message": "Code Sent" }, "verificationCode": { "message": "Verification Code" }, "confirmIdentity": { "message": "Confirm your identity to continue." }, "verificationCodeRequired": { "message": "Verification code is required." }, "invalidVerificationCode": { "message": "Invalid verification code" }, "convertOrganizationEncryptionDesc": { "message": "$ORGANIZATION$ is using SSO with a self-hosted key server. A master password is no longer required to log in for members of this organization.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "leaveOrganization": { "message": "Leave Organization" }, "removeMasterPassword": { "message": "Remove Master Password" }, "removedMasterPassword": { "message": "Master password removed." }, "allowSso": { "message": "Allow SSO authentication" }, "allowSsoDesc": { "message": "Once set up, your configuration will be saved and members will be able to authenticate using their Identity Provider credentials." }, "ssoPolicyHelpStart": { "message": "Enable the", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpLink": { "message": "SSO Authentication policy", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpEnd": { "message": "to require all members to log in with SSO.", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpKeyConnector": { "message": "SSO Authentication and Single Organization policies are required to set up Key Connector decryption." }, "memberDecryptionOption": { "message": "Member Decryption Options" }, "memberDecryptionPassDesc": { "message": "Once authenticated, members will decrypt vault data using their Master Passwords." }, "keyConnector": { "message": "Key Connector" }, "memberDecryptionKeyConnectorDesc": { "message": "Connect Login with SSO to your self-hosted decryption key server. Using this option, members won’t need to use their Master Passwords to decrypt vault data. Contact Bitwarden Support for set up assistance." }, "keyConnectorPolicyRestriction": { "message": "\"Login with SSO and Key Connector Decryption\" is enabled. This policy will only apply to Owners and Admins." }, "enabledSso": { "message": "Enabled SSO" }, "disabledSso": { "message": "Disabled SSO" }, "enabledKeyConnector": { "message": "Enabled Key Connector" }, "disabledKeyConnector": { "message": "Disabled Key Connector" }, "keyConnectorWarning": { "message": "Once members begin using Key Connector, your Organization cannot revert to Master Password decryption. Proceed only if you are comfortable deploying and managing a key server." }, "migratedKeyConnector": { "message": "Migrated to Key Connector" }, "paymentSponsored": { "message": "Please provide a payment method to associate with the organization. Don't worry, we won't charge you anything unless you select additional features or your sponsorship expires. " }, "orgCreatedSponsorshipInvalid": { "message": "The sponsorship offer has expired. You may delete the organization you created to avoid a charge at the end of your 7 day trial. Otherwise you may close this prompt to keep the organization and assume billing responsibility." }, "newFamiliesOrganization": { "message": "New Families Organization" }, "acceptOffer": { "message": "Accept Offer" }, "sponsoringOrg": { "message": "Sponsoring Organization" }, "keyConnectorTest": { "message": "Test" }, "keyConnectorTestSuccess": { "message": "Success! Key Connector reached." }, "keyConnectorTestFail": { "message": "Cannot reach Key Connector. Check URL." }, "sponsorshipTokenHasExpired": { "message": "The sponsorship offer has expired." }, "freeWithSponsorship": { "message": "FREE with sponsorship" }, "formErrorSummaryPlural": { "message": "$COUNT$ fields above need your attention.", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "formErrorSummarySingle": { "message": "1 field above needs your attention." }, "fieldRequiredError": { "message": "$FIELDNAME$ is required.", "placeholders": { "fieldname": { "content": "$1", "example": "Full name" } } }, "required": { "message": "required" }, "idpSingleSignOnServiceUrlRequired": { "message": "Required if Entity ID is not a URL." }, "openIdOptionalCustomizations": { "message": "Optional Customizations" }, "openIdAuthorityRequired": { "message": "Required if Authority is not valid." }, "separateMultipleWithComma": { "message": "Separate multiple with a comma." }, "sessionTimeout": { "message": "Your session has timed out. Please go back and try logging in again." }, "exportingPersonalVaultTitle": { "message": "Exporting Personal Vault" }, "exportingOrganizationVaultTitle": { "message": "Exporting Organization Vault" }, "exportingPersonalVaultDescription": { "message": "Only the personal vault items associated with $EMAIL$ will be exported. Organization vault items will not be included.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" } } }, "exportingOrganizationVaultDescription": { "message": "Only the organization vault associated with $ORGANIZATION$ will be exported. Personal vault items and items from other organizations will not be included.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "backToReports": { "message": "Back to Reports" }, "generator": { "message": "Generator" }, "whatWouldYouLikeToGenerate": { "message": "What would you like to generate?" }, "passwordType": { "message": "Password Type" }, "regenerateUsername": { "message": "Regenerate Username" }, "generateUsername": { "message": "Generate Username" }, "usernameType": { "message": "Username Type" }, "plusAddressedEmail": { "message": "Plus Addressed Email", "description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com" }, "plusAddressedEmailDesc": { "message": "Use your email provider's sub-addressing capabilities." }, "catchallEmail": { "message": "Catch-all Email" }, "catchallEmailDesc": { "message": "Use your domain's configured catch-all inbox." }, "random": { "message": "Random" }, "randomWord": { "message": "Random Word" }, "service": { "message": "Service" } }
bitwarden/web/src/locales/eo/messages.json/0
{ "file_path": "bitwarden/web/src/locales/eo/messages.json", "repo_id": "bitwarden", "token_count": 58861 }
156
{ "pageTitle": { "message": "$APP_NAME$ 웹 보관함", "description": "The title of the website in the browser window.", "placeholders": { "app_name": { "content": "$1", "example": "Bitwarden" } } }, "whatTypeOfItem": { "message": "항목의 유형이 무엇입니까?" }, "name": { "message": "이름" }, "uri": { "message": "URI" }, "uriPosition": { "message": "URI $POSITION$", "description": "A listing of URIs. Ex: URI 1, URI 2, URI 3, etc.", "placeholders": { "position": { "content": "$1", "example": "2" } } }, "newUri": { "message": "새 URI" }, "username": { "message": "사용자 이름" }, "password": { "message": "비밀번호" }, "newPassword": { "message": "새 비밀번호" }, "passphrase": { "message": "패스프레이즈" }, "notes": { "message": "메모" }, "customFields": { "message": "사용자 지정 필드" }, "cardholderName": { "message": "카드 소유자 이름" }, "number": { "message": "번호" }, "brand": { "message": "브랜드" }, "expiration": { "message": "만료" }, "securityCode": { "message": "카드 보안 코드 (CVV)" }, "identityName": { "message": "ID 이름" }, "company": { "message": "회사" }, "ssn": { "message": "주민등록번호" }, "passportNumber": { "message": "여권 번호" }, "licenseNumber": { "message": "면허 번호" }, "email": { "message": "이메일" }, "phone": { "message": "전화번호" }, "january": { "message": "1월" }, "february": { "message": "2월" }, "march": { "message": "3월" }, "april": { "message": "4월" }, "may": { "message": "5월" }, "june": { "message": "6월" }, "july": { "message": "7월" }, "august": { "message": "8월" }, "september": { "message": "9월" }, "october": { "message": "10월" }, "november": { "message": "11월" }, "december": { "message": "12월" }, "title": { "message": "제목" }, "mr": { "message": "Mr" }, "mrs": { "message": "Mrs" }, "ms": { "message": "Ms" }, "dr": { "message": "Dr" }, "expirationMonth": { "message": "만료 월" }, "expirationYear": { "message": "만료 연도" }, "authenticatorKeyTotp": { "message": "인증 키 (TOTP)" }, "folder": { "message": "폴더" }, "newCustomField": { "message": "새 사용자 지정 필드" }, "value": { "message": "값" }, "dragToSort": { "message": "드래그하여 정렬" }, "cfTypeText": { "message": "텍스트" }, "cfTypeHidden": { "message": "숨김" }, "cfTypeBoolean": { "message": "참 / 거짓" }, "cfTypeLinked": { "message": "연결됨", "description": "This describes a field that is 'linked' (related) to another field." }, "remove": { "message": "제거" }, "unassigned": { "message": "지정되지 않음" }, "noneFolder": { "message": "폴더 없음", "description": "This is the folder for uncategorized items" }, "addFolder": { "message": "폴더 추가" }, "editFolder": { "message": "폴더 편집" }, "baseDomain": { "message": "기본 도메인", "description": "Domain name. Ex. website.com" }, "domainName": { "message": "Domain Name", "description": "Domain name. Ex. website.com" }, "host": { "message": "호스트", "description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'." }, "exact": { "message": "정확히 일치" }, "startsWith": { "message": "...으로 시작" }, "regEx": { "message": "정규 표현식", "description": "A programming term, also known as 'RegEx'." }, "matchDetection": { "message": "일치 인식", "description": "URI match detection for auto-fill." }, "defaultMatchDetection": { "message": "기본 일치 인식", "description": "Default URI match detection for auto-fill." }, "never": { "message": "잠그지 않음" }, "toggleVisibility": { "message": "표시 전환" }, "toggleCollapse": { "message": "Toggle Collapse", "description": "Toggling an expand/collapse state." }, "generatePassword": { "message": "비밀번호 생성" }, "checkPassword": { "message": "비밀번호가 노출되었는지 확인합니다." }, "passwordExposed": { "message": "이 비밀번호는 데이터 유출에 $VALUE$회 노출되었습니다. 비밀번호를 변경하는 것이 좋습니다.", "placeholders": { "value": { "content": "$1", "example": "2" } } }, "passwordSafe": { "message": "이 비밀번호는 데이터 유출 목록에 없습니다. 사용하기에 안전한 비밀번호입니다." }, "save": { "message": "저장" }, "cancel": { "message": "취소" }, "canceled": { "message": "취소됨" }, "close": { "message": "닫기" }, "delete": { "message": "삭제" }, "favorite": { "message": "즐겨찾기" }, "unfavorite": { "message": "즐겨찾기 해제" }, "edit": { "message": "편집" }, "searchCollection": { "message": "컬렉션 검색" }, "searchFolder": { "message": "폴더 검색" }, "searchFavorites": { "message": "즐겨찾기 검색" }, "searchType": { "message": "유형 검색", "description": "Search item type" }, "searchVault": { "message": "보관함 검색" }, "allItems": { "message": "모든 항목" }, "favorites": { "message": "즐겨찾기" }, "types": { "message": "유형" }, "typeLogin": { "message": "로그인" }, "typeCard": { "message": "카드" }, "typeIdentity": { "message": "신원" }, "typeSecureNote": { "message": "보안 메모" }, "typeLoginPlural": { "message": "Logins" }, "typeCardPlural": { "message": "Cards" }, "typeIdentityPlural": { "message": "Identities" }, "typeSecureNotePlural": { "message": "Secure Notes" }, "folders": { "message": "폴더" }, "collections": { "message": "컬렉션" }, "firstName": { "message": "이름" }, "middleName": { "message": "가운데 이름" }, "lastName": { "message": "성" }, "fullName": { "message": "전체 이름" }, "address1": { "message": "주소 1" }, "address2": { "message": "주소 2" }, "address3": { "message": "주소 3" }, "cityTown": { "message": "읍 / 면 / 동" }, "stateProvince": { "message": "시 / 도" }, "zipPostalCode": { "message": "우편번호" }, "country": { "message": "국가" }, "shared": { "message": "공유됨" }, "attachments": { "message": "첨부 파일" }, "select": { "message": "선택" }, "addItem": { "message": "항목 추가" }, "editItem": { "message": "항목 편집" }, "viewItem": { "message": "항목 보기" }, "ex": { "message": "예)", "description": "Short abbreviation for 'example'." }, "other": { "message": "기타" }, "share": { "message": "공유" }, "moveToOrganization": { "message": "조직으로 이동하기" }, "valueCopied": { "message": "$VALUE$를 클립보드에 복사함", "description": "Value has been copied to the clipboard.", "placeholders": { "value": { "content": "$1", "example": "Password" } } }, "copyValue": { "message": "값 복사", "description": "Copy value to clipboard" }, "copyPassword": { "message": "비밀번호 복사", "description": "Copy password to clipboard" }, "copyUsername": { "message": "사용자 이름 복사", "description": "Copy username to clipboard" }, "copyNumber": { "message": "번호 복사", "description": "Copy credit card number" }, "copySecurityCode": { "message": "보안 코드 복사", "description": "Copy credit card security code (CVV)" }, "copyUri": { "message": "URI 복사", "description": "Copy URI to clipboard" }, "myVault": { "message": "내 보관함" }, "vault": { "message": "보관함" }, "moveSelectedToOrg": { "message": "선택한 항목을 조직으로 이동함" }, "deleteSelected": { "message": "선택 항목 삭제" }, "moveSelected": { "message": "선택 항목 이동" }, "selectAll": { "message": "모두 선택" }, "unselectAll": { "message": "모두 선택 해제" }, "launch": { "message": "열기" }, "newAttachment": { "message": "새 첨부 파일 추가" }, "deletedAttachment": { "message": "첨부 파일 삭제함" }, "deleteAttachmentConfirmation": { "message": "정말 이 첨부 파일을 삭제하시겠습니까?" }, "attachmentSaved": { "message": "첨부 파일을 저장했습니다." }, "file": { "message": "파일" }, "selectFile": { "message": "파일을 선택하세요." }, "maxFileSize": { "message": "최대 파일 크기는 500MB입니다." }, "updateKey": { "message": "이 기능을 사용하려면 암호화 키를 업데이트해야 합니다." }, "addedItem": { "message": "항목 추가함" }, "editedItem": { "message": "항목 편집함" }, "movedItemToOrg": { "message": "$ITEMNAME$이(가) $ORGNAME$(으)로 이동됨", "placeholders": { "itemname": { "content": "$1", "example": "Secret Item" }, "orgname": { "content": "$2", "example": "Company Name" } } }, "movedItemsToOrg": { "message": "선택한 항목이 $ORGNAME$(으)로 이동됨", "placeholders": { "orgname": { "content": "$1", "example": "Company Name" } } }, "deleteItem": { "message": "항목 삭제" }, "deleteFolder": { "message": "폴더 삭제" }, "deleteAttachment": { "message": "첨부 파일 삭제" }, "deleteItemConfirmation": { "message": "정말로 휴지통으로 이동시킬까요?" }, "deletedItem": { "message": "항목 삭제함" }, "deletedItems": { "message": "항목 삭제함" }, "movedItems": { "message": "항목 이동함" }, "overwritePasswordConfirmation": { "message": "정말 현재 비밀번호를 덮어쓰시겠습니까?" }, "editedFolder": { "message": "폴더 편집함" }, "addedFolder": { "message": "폴더 추가함" }, "deleteFolderConfirmation": { "message": "정말 이 폴더를 삭제하시겠습니까?" }, "deletedFolder": { "message": "폴더 삭제함" }, "loggedOut": { "message": "로그아웃됨" }, "loginExpired": { "message": "로그인 세션이 만료되었습니다." }, "logOutConfirmation": { "message": "정말 로그아웃하시겠습니까?" }, "logOut": { "message": "로그아웃" }, "ok": { "message": "확인" }, "yes": { "message": "예" }, "no": { "message": "아니오" }, "loginOrCreateNewAccount": { "message": "안전 보관함에 접근하려면 로그인하거나 새 계정을 만드세요." }, "createAccount": { "message": "계정 만들기" }, "logIn": { "message": "로그인" }, "submit": { "message": "보내기" }, "emailAddressDesc": { "message": "로그인에 이메일 주소를 사용하게 될 것입니다." }, "yourName": { "message": "이름" }, "yourNameDesc": { "message": "당신은 어떻게 불립니까?" }, "masterPass": { "message": "마스터 비밀번호" }, "masterPassDesc": { "message": "마스터 비밀번호는 보관함을 열 때 필요한 비밀번호입니다. 절대 마스터 비밀번호를 잊어버리지 마세요. 잊어버리면 복구할 수 있는 방법이 없습니다." }, "masterPassHintDesc": { "message": "마스터 비밀번호 힌트는 마스터 비밀번호를 잊었을 때 도움이 될 수 있습니다." }, "reTypeMasterPass": { "message": "마스터 비밀번호 다시 입력" }, "masterPassHint": { "message": "마스터 비밀번호 힌트 (선택)" }, "masterPassHintLabel": { "message": "마스터 비밀번호 힌트" }, "settings": { "message": "설정" }, "passwordHint": { "message": "비밀번호 힌트" }, "enterEmailToGetHint": { "message": "마스터 비밀번호 힌트를 받으려면 계정의 이메일 주소를 입력하세요." }, "getMasterPasswordHint": { "message": "마스터 비밀번호 힌트 얻기" }, "emailRequired": { "message": "이메일은 반드시 입력해야 합니다." }, "invalidEmail": { "message": "잘못된 이메일 주소입니다." }, "masterPassRequired": { "message": "마스터 비밀번호는 반드시 입력해야 합니다." }, "masterPassLength": { "message": "마스터 비밀번호는 최소 8자 이상이어야 합니다." }, "masterPassDoesntMatch": { "message": "마스터 비밀번호 확인과 마스터 비밀번호가 일치하지 않습니다." }, "newAccountCreated": { "message": "계정 생성이 완료되었습니다! 이제 로그인하실 수 있습니다." }, "masterPassSent": { "message": "마스터 비밀번호 힌트가 담긴 이메일을 보냈습니다." }, "unexpectedError": { "message": "예기치 못한 오류가 발생했습니다." }, "emailAddress": { "message": "이메일 주소" }, "yourVaultIsLocked": { "message": "보관함이 잠겨 있습니다. 마스터 비밀번호를 입력하여 계속하세요." }, "unlock": { "message": "잠금 해제" }, "loggedInAsEmailOn": { "message": "$HOSTNAME$ 에 $EMAIL$ 로 로그인했습니다.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" }, "hostname": { "content": "$2", "example": "bitwarden.com" } } }, "invalidMasterPassword": { "message": "잘못된 마스터 비밀번호" }, "lockNow": { "message": "지금 잠그기" }, "noItemsInList": { "message": "항목이 없습니다." }, "noCollectionsInList": { "message": "콜렉션이 없습니다." }, "noGroupsInList": { "message": "그룹이 없습니다." }, "noUsersInList": { "message": "유저가 없습니다." }, "noEventsInList": { "message": "이벤트가 없습니다." }, "newOrganization": { "message": "새 조직" }, "noOrganizationsList": { "message": "당신은 어떤 조직에도 속해있지 않습니다. 조직은 다른 사용자들과 안전하게 항목을 공유할 수 있게 해줍니다." }, "versionNumber": { "message": "버전 $VERSION_NUMBER$", "placeholders": { "version_number": { "content": "$1", "example": "1.2.3" } } }, "enterVerificationCodeApp": { "message": "인증 앱에서 6자리 인증 코드를 입력하세요." }, "enterVerificationCodeEmail": { "message": "$EMAIL$ 주소로 전송된 6자리 인증 코드를 입력하세요.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "verificationCodeEmailSent": { "message": "$EMAIL$ 주소로 인증 이메일을 보냈습니다.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "rememberMe": { "message": "기억하기" }, "sendVerificationCodeEmailAgain": { "message": "인증 코드 이메일 다시 보내기" }, "useAnotherTwoStepMethod": { "message": "다른 2단계 인증 사용" }, "insertYubiKey": { "message": "YubiKey를 컴퓨터의 USB 포트에 삽입하고 버튼을 누르세요." }, "insertU2f": { "message": "보안 키를 컴퓨터의 USB 포트에 삽입하고 버튼이 있는 경우 누르세요." }, "loginUnavailable": { "message": "로그인 불가능" }, "noTwoStepProviders": { "message": "이 계정은 2단계 인증을 사용합니다. 그러나 설정된 2단계 인증 중 이 웹 브라우저에서 지원하는 방식이 없습니다." }, "noTwoStepProviders2": { "message": "지원하는 웹 브라우저(Chrome 등)를 사용하거나 더 많은 브라우저를 지원하는 2단계 인증 방식(인증 앱 등)을 추가하세요." }, "twoStepOptions": { "message": "2단계 인증 옵션" }, "recoveryCodeDesc": { "message": "모든 2단계 인증을 사용할 수 없는 상황인가요? 복구 코드를 사용하여 계정의 모든 2단계 인증을 비활성화할 수 있습니다." }, "recoveryCodeTitle": { "message": "복구 코드" }, "authenticatorAppTitle": { "message": "인증 앱" }, "authenticatorAppDesc": { "message": "인증 앱(Authy, Google OTP 등)을 통하여 일회용 인증 코드를 생성합니다.", "description": "'Authy' and 'Google Authenticator' are product names and should not be translated." }, "yubiKeyTitle": { "message": "YubiKey OTP 보안 키" }, "yubiKeyDesc": { "message": "YubiKey를 사용하여 사용자의 계정에 접근합니다. YubiKey 4, 4 Nano, 4C 및 NEO 기기를 사용할 수 있습니다." }, "duoDesc": { "message": "Duo Mobile 앱, SMS, 전화 통화를 사용한 Duo Security 또는 U2F 보안 키를 사용하여 인증하세요.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "duoOrganizationDesc": { "message": "Duo Mobile 앱, SMS, 전화 통화를 사용한 조직용 Duo Security 또는 U2F 보안 키를 사용하여 인증하세요.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "u2fDesc": { "message": "FIDO U2F가 활성화된 보안 키를 사용하여 계정에 접근하세요." }, "u2fTitle": { "message": "FIDO U2F 보안 키" }, "webAuthnTitle": { "message": "FIDO2 WebAuthn" }, "webAuthnDesc": { "message": "WebAuthn이 활성화된 보안 키를 사용하여 계정에 접근하세요." }, "webAuthnMigrated": { "message": "(FIDO에서 이전됨)" }, "emailTitle": { "message": "이메일" }, "emailDesc": { "message": "인증 코드가 담긴 이메일을 다시 보냅니다." }, "continue": { "message": "계속" }, "organization": { "message": "조직" }, "organizations": { "message": "조직" }, "moveToOrgDesc": { "message": "이 항목을 이동할 조직을 선택하십시오. 항목이 조직으로 이동되면 소유권이 조직으로 이전됩니다. 일단 이동되면, 더는 이동된 항목의 직접적인 소유자가 아니게 됩니다." }, "moveManyToOrgDesc": { "message": "이 항목을 이동할 조직을 선택하십시오. 항목이 조직으로 이동되면 소유권이 조직으로 이전됩니다. 일단 이동되면, 더는 이동된 항목의 직접적인 소유자가 아니게 됩니다." }, "collectionsDesc": { "message": "이 항목이 공유될 콜렉션을 수정하십시오. 이 콜렉션에 접근할 수 있는 조직 사용자만 이 항목을 볼 수 있습니다." }, "deleteSelectedItemsDesc": { "message": "삭제를 위해 $COUNT$ 개의 항목이 선택됨. 정말로 이 항목들을 삭제하시겠습니까?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsDesc": { "message": "선택된 $COUNT$ 개의 항목을 옮길 폴더를 선택하십시오.", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsCountDesc": { "message": "$COUNT$개의 항목을 선택하셨습니다. $MOVEABLE_COUNT$개의 항목은 조직으로 이동시킬 수 있지만 나머지 $NONMOVEABLE_COUNT$개의 항목은 이동시킬 수 없습니다.", "placeholders": { "count": { "content": "$1", "example": "10" }, "moveable_count": { "content": "$2", "example": "8" }, "nonmoveable_count": { "content": "$3", "example": "2" } } }, "verificationCodeTotp": { "message": "인증 코드 (TOTP)" }, "copyVerificationCode": { "message": "인증 코드 복사" }, "warning": { "message": "경고" }, "confirmVaultExport": { "message": "보관함 내보내기 확인" }, "exportWarningDesc": { "message": "내보내기는 보관함 데이터가 암호화되지 않은 형식으로 포함됩니다. 내보낸 파일을 안전하지 않은 채널(예: 이메일)을 통해 저장하거나 보내지 마십시오. 사용이 끝난 후에는 즉시 삭제하십시오." }, "encExportKeyWarningDesc": { "message": "이 내보내기는 계정의 암호화 키를 사용하여 데이터를 암호화합니다. 추후 계정의 암호화 키를 교체할 경우 다시 내보내기를 진행해야 합니다. 그러지 않을 경우 이 내보내기 파일을 해독할 수 없게 됩니다." }, "encExportAccountWarningDesc": { "message": "모든 Bitwarden 사용자 계정은 고유한 계정 암호화 키를 가지고 있습니다. 따라서, 다른 계정에서는 암호화된 내보내기를 가져올 수 없습니다." }, "export": { "message": "내보내기" }, "exportVault": { "message": "보관함 내보내기" }, "fileFormat": { "message": "파일 형식" }, "exportSuccess": { "message": "보관함 데이터를 내보냈습니다." }, "passwordGenerator": { "message": "비밀번호 생성기" }, "minComplexityScore": { "message": "최소 복잡도 점수" }, "minNumbers": { "message": "숫자 최소 개수" }, "minSpecial": { "message": "특수 문자 최소 개수", "description": "Minimum Special Characters" }, "ambiguous": { "message": "모호한 문자 사용 안 함" }, "regeneratePassword": { "message": "비밀번호 재생성" }, "length": { "message": "길이" }, "numWords": { "message": "단어 수" }, "wordSeparator": { "message": "구분 기호" }, "capitalize": { "message": "첫 글자를 대문자로", "description": "Make the first letter of a work uppercase." }, "includeNumber": { "message": "숫자 추가" }, "passwordHistory": { "message": "비밀번호 변경 기록" }, "noPasswordsInList": { "message": "비밀번호가 없습니다." }, "clear": { "message": "삭제", "description": "To clear something out. example: To clear browser history." }, "accountUpdated": { "message": "계정 업데이트됨" }, "changeEmail": { "message": "이메일 변경" }, "changeEmailTwoFactorWarning": { "message": "계속 진행하면 계정의 이메일 주소가 변경됩니다. 이때, 2단계 인증에 사용되는 이메일 주소는 변경되지 않습니다. 2단계 인증 설정에서 해당 이메일 주소를 변경할 수 있습니다." }, "newEmail": { "message": "새 이메일" }, "code": { "message": "코드" }, "changeEmailDesc": { "message": "$EMAIL$으로 인증 코드를 발송했습니다. 이메일에서 이 코드를 확인하고 아래에 입력하여 이메일 주소 변경을 완료하십시오.", "placeholders": { "email": { "content": "$1", "example": "john.smith@example.com" } } }, "loggedOutWarning": { "message": "계속 진행하면, 현재 세션 또한 로그아웃 되므로 다시 로그인하여야 합니다. 2단계 로그인이 활성화 된 경우 다시 요구하는 메세지가 표시됩니다. 다른 기기의 활성화 된 세션은 최대 1시간 동안 유지 될 수 있습니다." }, "emailChanged": { "message": "이메일 변경됨" }, "logBackIn": { "message": "다시 로그인해 주세요." }, "logBackInOthersToo": { "message": "다시 로그인해 주세요. 다른 Bitwarden 앱을 사용 중인 경우 해당 앱에서도 다시 로그인해야 합니다." }, "changeMasterPassword": { "message": "마스터 비밀번호 변경" }, "masterPasswordChanged": { "message": "마스터 비밀번호 변경됨" }, "currentMasterPass": { "message": "현재 마스터 비밀번호" }, "newMasterPass": { "message": "새 마스터 비밀번호" }, "confirmNewMasterPass": { "message": "새 마스터 비밀번호 확인" }, "encKeySettings": { "message": "암호화 키 설정" }, "kdfAlgorithm": { "message": "KDF 알고리즘" }, "kdfIterations": { "message": "KDF 이터레이션" }, "kdfIterationsDesc": { "message": "높은 KDF 반복자는 공격자의 무차별 공격으로부터 마스터 비밀번호를 보호해줍니다. $VALUE$ 이상의 값을 추천합니다.", "placeholders": { "value": { "content": "$1", "example": "100,000" } } }, "kdfIterationsWarning": { "message": "KDF 반복자를 너무 높게 설정하면 CPU가 느린 장치에서 Bitwarden에 로그인(및 잠금 해제)할 때 성능이 저하될 수 있습니다. $INCREMENT$ 단위로 값을 올려가며 모든 장치를 테스트하는 것이 좋습니다.", "placeholders": { "increment": { "content": "$1", "example": "50,000" } } }, "changeKdf": { "message": "KDF 변경" }, "encKeySettingsChanged": { "message": "암호화 키 설정 변경됨" }, "dangerZone": { "message": "위험 구역" }, "dangerZoneDesc": { "message": "주의, 이 행동들은 되돌릴 수 없음!" }, "deauthorizeSessions": { "message": "세션 해제" }, "deauthorizeSessionsDesc": { "message": "계정이 다른 장치에 로그인되어 있습니까? 이전에 사용된 모든 컴퓨터 또는 장치 인증을 취소하려면 다음 단계로 나아가십시오. 이 보안 단계는 이전에 공용 PC를 사용했거나 실수로 타인의 장치에 비밀번호를 저장한 경우 권장됩니다. 이 단계에서는 이전에 기억된 2단계 로그인 세션도 모두 삭제됩니다." }, "deauthorizeSessionsWarning": { "message": "계속 진행하면, 현재 세션 또한 로그아웃 되므로 다시 로그인하여야 합니다. 2단계 로그인이 활성화 된 경우 다시 요구하는 메세지가 표시됩니다. 다른 기기의 활성화 된 세션은 최대 1시간 동안 유지 될 수 있습니다." }, "sessionsDeauthorized": { "message": "모든 세션 해제 됨" }, "purgeVault": { "message": "보관함 삭제" }, "purgedOrganizationVault": { "message": "삭제 된 조직 보관함" }, "vaultAccessedByProvider": { "message": "보관함에 제공자가 액세스했습니다." }, "purgeVaultDesc": { "message": "보관함 내의 모든 항목과 폴더를 삭제하려면 다음 단계로 나아가십시오. 조직에 속한 공유 항목들은 삭제되지 않습니다." }, "purgeOrgVaultDesc": { "message": "조직의 보관함 내 모든 항목을 삭제하려면 다음 단계로 나아가십시오." }, "purgeVaultWarning": { "message": "계정 삭제는 영구적이며 되돌릴 수 없습니다." }, "vaultPurged": { "message": "보관함이 삭제되었습니다." }, "deleteAccount": { "message": "계정 삭제" }, "deleteAccountDesc": { "message": "귀하의 계정과 저장된 데이터들을 삭제하려면 아래를 계속 진행하십시오." }, "deleteAccountWarning": { "message": "계정 삭제는 영구적이며 되돌릴 수 없습니다." }, "accountDeleted": { "message": "계정 삭제됨" }, "accountDeletedDesc": { "message": "당신의 계정과 연관된 모든 데이터들이 삭제되었습니다." }, "myAccount": { "message": "내 계정" }, "tools": { "message": "도구" }, "importData": { "message": "데이터 가져오기" }, "importError": { "message": "가져오기 오류" }, "importErrorDesc": { "message": "가져오려고 하는 데이터에 문제가 있습니다. 아래에 표시된 파일의 오류를 해결한 뒤 다시 시도해 주세요." }, "importSuccess": { "message": "데이터를 보관함으로 성공적으로 불러왔습니다." }, "importWarning": { "message": "$ORGANIZATION$ 조직으로 데이터를 가져오려고 합니다. 데이터가 이 조직의 구성원과 공유될 수 있습니다. 계속하시겠습니까?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "importFormatError": { "message": "데이터의 포맷이 올바르지 않습니다. 불러올 파일을 확인하고 다시 시도해 주십시오." }, "importNothingError": { "message": "아무것도 가져오지 못했습니다." }, "importEncKeyError": { "message": "내보내려는 파일을 복호화하던 중 오류가 발생했습니다. 암호화 키가 내보내려는 데이터를 암호화한 키와 일치하지 않습니다." }, "selectFormat": { "message": "불러올 파일의 포맷" }, "selectImportFile": { "message": "불러올 파일" }, "orCopyPasteFileContents": { "message": "또는 가져온 파일 내용 복사/붙여넣기" }, "instructionsFor": { "message": "$NAME$ 안내사항", "description": "The title for the import tool instructions.", "placeholders": { "name": { "content": "$1", "example": "LastPass (csv)" } } }, "options": { "message": "옵션" }, "optionsDesc": { "message": "웹 보관함 환경 사용자 지정" }, "optionsUpdated": { "message": "옵션 업데이트됨" }, "language": { "message": "언어(Language)" }, "languageDesc": { "message": "웹 보관함에서 사용할 언어를 변경합니다." }, "disableIcons": { "message": "웹 사이트 아이콘 사용 안 함" }, "disableIconsDesc": { "message": "웹 사이트 아이콘을 사용하면 보관함 각 항목 옆에 이미지를 보여줍니다." }, "enableGravatars": { "message": "Gravatar 사용", "description": "'Gravatar' is the name of a service. See www.gravatar.com" }, "enableGravatarsDesc": { "message": "gravatar.com의 아바타 이미지를 사용." }, "enableFullWidth": { "message": "전체 너비 레이아웃 활성화", "description": "Allows scaling the web vault UI's width" }, "enableFullWidthDesc": { "message": "웹 보관함이 브라우저 창의 전체 너비를 사용하도록 확장합니다." }, "default": { "message": "기본값" }, "domainRules": { "message": "도메인 규칙" }, "domainRulesDesc": { "message": "여러 웹 사이트 도메인에 대해 동일한 로그인이 있는 경우, 웹 사이트가 \"유사\"하다고 표시할 수 있습니다. \"전역\" 도메인은 Bitwarden에서 당신을 위해 이미 생성했습니다." }, "globalEqDomains": { "message": "전역 유사 도메인" }, "customEqDomains": { "message": "사용자 지정 유사 도메인" }, "exclude": { "message": "제외" }, "include": { "message": "포함" }, "customize": { "message": "사용자 지정" }, "newCustomDomain": { "message": "새 사용자 지정 도메인" }, "newCustomDomainDesc": { "message": "도메인 목록을 쉼표(,)로 구분하여 입력하십시오. \"기본\" 도메인만 사용할 수 있습니다. 하위 도메인을 입력하지 마십시오. 예를 들면, \"www.google.com\" 대신 \"google.com\"을 입력합니다. Android 앱을 다른 웹 사이트 도메인과 연결하려면 \"androidapp://package.name\"을 입력하십시오." }, "customDomainX": { "message": "사용자 정의 도메인 $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "domainsUpdated": { "message": "도메인 업데이트됨" }, "twoStepLogin": { "message": "2단계 인증" }, "twoStepLoginDesc": { "message": "로그인할 때 추가 단계를 요구하여 계정을 보호하십시오." }, "twoStepLoginOrganizationDesc": { "message": "조직 수준에서 제공자를 구성하여 조직 내 사용자에게 2단계 로그인을 요구합니다." }, "twoStepLoginRecoveryWarning": { "message": "2단계 로그인을 활성화하면 Bitwarden 계정을 영원히 잠글 수 있습니다. 복구 코드를 사용하면 정상적인 2단계 로그인 제공자를 더 이상 사용할 수 없는 경우(예. 장치를 잃어버렸을 때) 계정에 액세스할 수 있습니다. 계정에 접근하지 못한다면 Bitwarden 지원팀은 어떤 도움도 줄 수 없습니다. 복구 코드를 기록하거나 출력하여 안전한 장소에 보관할 것을 권장합니다." }, "viewRecoveryCode": { "message": "복구 코드" }, "providers": { "message": "공급자", "description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc." }, "enable": { "message": "활성화" }, "enabled": { "message": "활성화됨" }, "premium": { "message": "프리미엄", "description": "Premium Membership" }, "premiumMembership": { "message": "프리미엄 멤버십" }, "premiumRequired": { "message": "프리미엄 멤버십 필요" }, "premiumRequiredDesc": { "message": "이 기능을 사용하려면 프리미엄 멤버십이 필요합니다." }, "youHavePremiumAccess": { "message": "프리미엄 멤버십 사용 중" }, "alreadyPremiumFromOrg": { "message": "소속된 조직으로 이미 프리미엄 기능에 액세스할 수 있습니다." }, "manage": { "message": "관리" }, "disable": { "message": "비활성화" }, "twoStepLoginProviderEnabled": { "message": "이 2단계 로그인 제공자는 귀하의 계정에 사용 가능합니다." }, "twoStepLoginAuthDesc": { "message": "2단계 로그인 설정을 수정하려면 마스터 암호를 입력하십시오." }, "twoStepAuthenticatorDesc": { "message": "다음 단계에 따라 인증자 앱으로 2단계 로그인 설정:" }, "twoStepAuthenticatorDownloadApp": { "message": "2단계 인증자 앱 다운로드" }, "twoStepAuthenticatorNeedApp": { "message": "2단계 인증자 앱이 필요하십니까? 다음 중 하나를 다운로드하세요" }, "iosDevices": { "message": "iOS 기기" }, "androidDevices": { "message": "Android 기기" }, "windowsDevices": { "message": "Windows 기기" }, "twoStepAuthenticatorAppsRecommended": { "message": "These apps are recommended, however, other authenticator apps will also work." }, "twoStepAuthenticatorScanCode": { "message": "이 QR 코드를 인증 앱으로 스캔" }, "key": { "message": "키" }, "twoStepAuthenticatorEnterCode": { "message": "앱에서 결과로 나온 6자리 인증코드를 입력하십시오" }, "twoStepAuthenticatorReaddDesc": { "message": "다른 장치에 추가해야 하는 경우, 아래의 QR코드(혹은 키) 가 인증자 앱에 필요합니다." }, "twoStepDisableDesc": { "message": "이 2단계 로그인 제공자를 사용하지 않도록 설정하시겠습니까?" }, "twoStepDisabled": { "message": "2단계 로그인 제공자 비활성화됨." }, "twoFactorYubikeyAdd": { "message": "계정에 새로운 YubiKey를 추가합니다." }, "twoFactorYubikeyPlugIn": { "message": "YubiKey(NEO 혹은 4 시리즈)를 컴퓨터 USB 포트에 삽입하십시오." }, "twoFactorYubikeySelectKey": { "message": "첫번째 비어있는 YubiKey 입력 필드를 선택하십시오." }, "twoFactorYubikeyTouchButton": { "message": "YubiKey의 버튼을 터치하십시오" }, "twoFactorYubikeySaveForm": { "message": "폼 저장하기" }, "twoFactorYubikeyWarning": { "message": "플랫폼 제한으로 인해, 모든 Bitwarden 애플리케이션에서 YubiKey를 사용할 수 없습니다. YubiKey를 사용할 수 없을 때 계정에 접근할 수 있도록 다른 2단계 로그인 제공자를 활성화하십시오. 지원하는 플랫폼:" }, "twoFactorYubikeySupportUsb": { "message": "웹 보관함, 데스크톱 응용프로그램, 명령 줄 인터페이스, USB 포트가 있는 장치의 브라우저 확장 기능은 YubiKey를 사용할 수 있습니다." }, "twoFactorYubikeySupportMobile": { "message": "NFC 또는 USB 포트가 있는 장치의 모바일 앱은 YubiKey를 사용할 수 있습니다." }, "yubikeyX": { "message": "YubiKey $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "u2fkeyX": { "message": "U2F Key $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "webAuthnkeyX": { "message": "WebAuthn 키 $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "nfcSupport": { "message": "NFC 지원" }, "twoFactorYubikeySupportsNfc": { "message": "내 키 중의 하나가 NFC를 지원합니다." }, "twoFactorYubikeySupportsNfcDesc": { "message": "YubiKey중 하나가 NFC(예: YubiKey NEO)를 지원할 경우, NFC 사용가능 여부가 감지될 때마다 모바일 장치에서 메시지가 표시됩니다." }, "yubikeysUpdated": { "message": "YubiKey 업데이트됨" }, "disableAllKeys": { "message": "Disable All Keys" }, "twoFactorDuoDesc": { "message": "Duo 관리자 패널에서 Bitwarden 애플리케이션 정보를 입력하십시오." }, "twoFactorDuoIntegrationKey": { "message": "Integration Key" }, "twoFactorDuoSecretKey": { "message": "비밀 키" }, "twoFactorDuoApiHostname": { "message": "API 호스트 이름" }, "twoFactorEmailDesc": { "message": "다음 단계에 따라 이메일로 2단계 로그인 설정:" }, "twoFactorEmailEnterEmail": { "message": "확인 코드를 수신할 이메일을 입력하십시오." }, "twoFactorEmailEnterCode": { "message": "이메일에서 결과로 나온 6자리 인증코드를 입력하십시오" }, "sendEmail": { "message": "Send Email" }, "twoFactorU2fAdd": { "message": "계정에 FIDO U2F 보안 키 추가" }, "removeU2fConfirmation": { "message": "정말로 이 보안 키를 제거하시겠습니까?" }, "twoFactorWebAuthnAdd": { "message": "계정에 WebAuthn 보안 키 추가" }, "readKey": { "message": "키 읽기" }, "keyCompromised": { "message": "키가 손상되었습니다." }, "twoFactorU2fGiveName": { "message": "보안 키를 식별할 수 있는 친근한 이름을 지정하십시오." }, "twoFactorU2fPlugInReadKey": { "message": "컴퓨터의 USB 포트에 보안 키를 삽입하고 \"키 읽기\" 버튼을 클릭하십시오." }, "twoFactorU2fTouchButton": { "message": "보안 키에 버튼이 있다면, 터치하십시오" }, "twoFactorU2fSaveForm": { "message": "폼 저장하기" }, "twoFactorU2fWarning": { "message": "플랫폼 제한으로 인해, 모든 Bitwarden 애플리케이션에서 FIDO U2F를 사용할 수 없습니다. FIDO U2F를 사용할 수 없을 때 계정에 접근할 수 있도록 다른 2단계 로그인 제공자를 활성화하십시오. 지원하는 플랫폼:" }, "twoFactorU2fSupportWeb": { "message": "U2F 지원 브라우저가 있는 데스크탑/랩탑의 웹 보관함 및 브라우저 확장 (FIDO U2F가 활성화된 Chrome, Opera, Vivaldi 또는 Firefox 사용)" }, "twoFactorU2fWaiting": { "message": "보안 키 버튼 터치를 기다리는 중" }, "twoFactorU2fClickSave": { "message": "2단계 로그인에 이 보안 키를 사용하려면 아래의 \"저장\" 버튼을 클릭하십시오" }, "twoFactorU2fProblemReadingTryAgain": { "message": "보안 키를 읽어오는데 문제가 발생했습니다. 다시 시도해보십시오." }, "twoFactorWebAuthnWarning": { "message": "플랫폼 제한으로 인해, 모든 Bitwarden 애플리케이션에서 WebAuthn을 사용할 수 없습니다. WebAuthn을 사용할 수 없을 때 계정에 접근할 수 있도록 다른 2단계 로그인 방법을 활성화하십시오. 지원하는 플랫폼:" }, "twoFactorWebAuthnSupportWeb": { "message": "WebAuthn 지원 브라우저가 있는 데스크탑/랩탑의 웹 보관함 및 브라우저 확장 (WebAuthn이 활성화된 Chrome, Opera, Vivaldi 또는 Firefox 사용)" }, "twoFactorRecoveryYourCode": { "message": "Bitwarden 2단계 로그인 복구 코드" }, "twoFactorRecoveryNoCode": { "message": "아직 2단계 로그인 제공자를 사용하도록 설정하지 않았습니다. 2단계 로그인 제공자를 사용하도록 설정한 후 여기에서 복구 코드를 확인하십시오." }, "printCode": { "message": "코드 출력", "description": "Print 2FA recovery code" }, "reports": { "message": "보고서" }, "reportsDesc": { "message": "Identify and close security gaps in your online accounts by clicking the reports below." }, "unsecuredWebsitesReport": { "message": "안전하지 않은 웹사이트들 보고서" }, "unsecuredWebsitesReportDesc": { "message": "http:// 스키마처럼 안전하지 않은 웹 사이트를 사용하는 것은 위험할 수 있습니다. 웹 사이트가 허용하는 경우 항상 https:// 스키마를 통해 액세스하여 연결이 암호화되도록 하십시오." }, "unsecuredWebsitesFound": { "message": "안전하지 않은 웹사이트가 발견됨" }, "unsecuredWebsitesFoundDesc": { "message": "보관함에 안전하지 않은 URI를 가진 항목 $COUNT$개를 발견했습니다. 웹 사이트에서 허용하는 경우 URI 스키마를 https://로 변경하십시오.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noUnsecuredWebsites": { "message": "보관함에 안전하지 않은 URI를 가진 항목이 없습니다." }, "inactive2faReport": { "message": "비활성 2단계 인증 보고서" }, "inactive2faReportDesc": { "message": "2단계 인증은 계정을 보호하는데 중요한 보안 설정입니다. 웹 사이트에서 제공하는 경우 항상 2단계 인증을 사용해야 합니다." }, "inactive2faFound": { "message": "2단계 인증이 없는 로그인이 발견됨" }, "inactive2faFoundDesc": { "message": "보관함에 (2fa.directory에 따른) 2단계 인증이 설정되지 않은 웹 사이트를 $COUNT$개 발견했습니다. 이러한 계정을 더욱 보호하려면 2단계 인증을 사용하십시오.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noInactive2fa": { "message": "보관함에서 2단계 인증 구성이 누락된 웹 사이트를 찾을 수 없습니다." }, "instructions": { "message": "안내사항" }, "exposedPasswordsReport": { "message": "노출된 비밀번호 보고서" }, "exposedPasswordsReportDesc": { "message": "노출된 비밀번호는 해커들이 공개적으로 배포하거나 다크 웹에 판매되어 알려진 데이터 유출에서 발견된 비밀번호입니다." }, "exposedPasswordsFound": { "message": "노출된 비밀번호가 발견됨" }, "exposedPasswordsFoundDesc": { "message": "보관함에 알려진 데이터 유출로 노출된 비밀번호가 있는 $COUNT$개의 항목을 발견했습니다. 새 암호를 사용하도록 암호를 변경해야합니다.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noExposedPasswords": { "message": "보관함 내 알려진 데이터 유출로 노출된 비밀번호를 사용하는 항목이 없습니다." }, "checkExposedPasswords": { "message": "노출된 비밀번호 확인하기" }, "exposedXTimes": { "message": "$COUNT$회 노출됨", "placeholders": { "count": { "content": "$1", "example": "52" } } }, "weakPasswordsReport": { "message": "취약한 비밀번호 보고서" }, "weakPasswordsReportDesc": { "message": "취약한 비밀번호는 해커와 암호 해독에 사용되는 자동화 도구로 쉽게 짐작할 수 있습니다. Bitwarden 암호 생성기는 강력한 암호를 만드는데 도움을 줄 것입니다." }, "weakPasswordsFound": { "message": "취약한 비밀번호가 발견됨" }, "weakPasswordsFoundDesc": { "message": "강력한 비밀번호가 아닌 $COUNT$개의 항목을 보관함에서 찾았습니다. 더 강력한 암호를 사용하도록 업데이트해야 합니다.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noWeakPasswords": { "message": "보관함에 취약한 비밀번호를 가진 항목이 없습니다." }, "reusedPasswordsReport": { "message": "재사용된 비밀번호 보고서" }, "reusedPasswordsReportDesc": { "message": "사용하는 서비스가 손상된 경우 다른 곳에서 동일한 암호를 다시 사용하면 해커가 더 많은 온라인 계정에 쉽게 액세스할 수 있습니다. 모든 계정 또는 서비스에 대해 고유한 암호를 사용하십시오." }, "reusedPasswordsFound": { "message": "재사용된 비밀번호가 발견됨" }, "reusedPasswordsFoundDesc": { "message": "보관함에서 재사용중인 $COUNT$개의 비밀번호를 찾았습니다. 고유한 값으로 변경해야 합니다.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noReusedPasswords": { "message": "보관함에 재사용된 비밀번호를 가진 로그인이 없습니다." }, "reusedXTimes": { "message": "$COUNT$회 재사용됨", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "dataBreachReport": { "message": "데이터 유출 보고서" }, "breachDesc": { "message": "\"유출(breach)\"이란, 사이트의 데이터가 불법적으로 해커에 의해 접근되고 공개되는 사건을 뜻합니다. 손상된 데이터 유형(이메일 주소, 비밀번호, 신용카드 등)을 검토하고 비밀번호 변경 등 적절한 조치를 취하십시오." }, "breachCheckUsernameEmail": { "message": "사용하는 사용자 이름 혹은 이메일 주소를 확인해보세요." }, "checkBreaches": { "message": "유출 확인하기" }, "breachUsernameNotFound": { "message": "$USERNAME$을 알려진 데이터 유출에서 발견하지 못했습니다.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" } } }, "goodNews": { "message": "좋은 소식이에요", "description": "ex. Good News, No Breached Accounts Found!" }, "breachUsernameFound": { "message": "$USERNAME$을 $COUNT$개의 온라인 상의 데이터 유출에서 발견되었습니다.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" }, "count": { "content": "$2", "example": "7" } } }, "breachFound": { "message": "유출된 계정이 발견됨" }, "compromisedData": { "message": "손상된 데이터" }, "website": { "message": "웹 사이트" }, "affectedUsers": { "message": "영향을 받는 사용자" }, "breachOccurred": { "message": "유출 발생함" }, "breachReported": { "message": "유출 보고됨" }, "reportError": { "message": "보고서를 불러오는 도중 오류가 발생했습니다. 다시 시도해주세요." }, "billing": { "message": "결제" }, "accountCredit": { "message": "계정 크레딧", "description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)." }, "accountBalance": { "message": "계정 잔액", "description": "Financial term. In the case of Bitwarden, a positive balance means that you owe money, while a negative balance means that you have a credit (Bitwarden owes you money)." }, "addCredit": { "message": "크레딧 추가", "description": "Add more credit to your account's balance." }, "amount": { "message": "금액", "description": "Dollar amount, or quantity." }, "creditDelayed": { "message": "추가된 크레딧은 결제가 완전히 처리된 후 계정에 표시됩니다. 일부 결제 방식은 지연되거나 처리하는 데 시간이 오래 걸릴 수 있습니다." }, "makeSureEnoughCredit": { "message": "이 구매에 사용할 수 있는 크레딧이 충분한지 확인하십시오. 만약 계정에 충분한 크레딧이 없다면, 그 차액만큼 기본 결제 방식에서 지불될 것입니다. 청구 페이지를 통해 계정에 크레딧을 추가할 수 있습니다." }, "creditAppliedDesc": { "message": "계정의 크레딧을 구매에 사용할 수 있습니다. 사용 가능한 모든 크레딧이 이 계정에 대해 생성된 청구서에 자동으로 적용됩니다." }, "goPremium": { "message": "프리미엄 가입", "description": "Another way of saying \"Get a premium membership\"" }, "premiumUpdated": { "message": "프리미엄으로 업그레이드했습니다." }, "premiumUpgradeUnlockFeatures": { "message": "프리미엄 회원으로 계정을 업그레이드하고 몇 가지 훌륭한 추가 기능을 잠금 해제하세요." }, "premiumSignUpStorage": { "message": "1GB의 암호화된 파일 저장소." }, "premiumSignUpTwoStep": { "message": "YubiKey나 FIDO U2F, Duo 등의 추가적인 2단계 인증 옵션." }, "premiumSignUpEmergency": { "message": "긴급 접근" }, "premiumSignUpReports": { "message": "보관함을 안전하게 유지하기 위한 암호 위생, 계정 상태, 데이터 유출 보고서" }, "premiumSignUpTotp": { "message": "보관함에 등록된 로그인 항목을 위한 TOTP 인증 코드(2FA) 생성기." }, "premiumSignUpSupport": { "message": "고객 지원 우선 순위 제공." }, "premiumSignUpFuture": { "message": "앞으로 추가될 모든 프리미엄 기능을 사용할 수 있습니다. 기대하세요!" }, "premiumPrice": { "message": "이 모든 기능을 연 $PRICE$에 이용하실 수 있습니다!", "placeholders": { "price": { "content": "$1", "example": "$10" } } }, "addons": { "message": "부가 기능" }, "premiumAccess": { "message": "프리미엄 이용권" }, "premiumAccessDesc": { "message": "$INTERVAL$간 $PRICE$로 조직의 모든 구성원에게 프리미엄 액세스를 추가할 수 있습니다.", "placeholders": { "price": { "content": "$1", "example": "$3.33" }, "interval": { "content": "$2", "example": "'month' or 'year'" } } }, "additionalStorageGb": { "message": "추가 저장소 용량 (GB)" }, "additionalStorageGbDesc": { "message": "# 의 추가 GB" }, "additionalStorageIntervalDesc": { "message": "귀하의 플랜은 $SIZE$의 암호화된 파일 저장소가 제공됩니다. GB / $INTERVAL$당 $PRICE$로 저장소용량을 추가할 수 있습니다.", "placeholders": { "size": { "content": "$1", "example": "1 GB" }, "price": { "content": "$2", "example": "$4.00" }, "interval": { "content": "$3", "example": "'month' or 'year'" } } }, "summary": { "message": "요약" }, "total": { "message": "총합" }, "year": { "message": "년" }, "month": { "message": "월" }, "monthAbbr": { "message": "월", "description": "Short abbreviation for 'month'" }, "paymentChargedAnnually": { "message": "귀하의 결제방식으로 즉시 요금이 부과되고 정기적으로 매 년 부과됩니다. 언제든지 취소할 수 있습니다." }, "paymentCharged": { "message": "귀하의 결제방식으로 즉시 요금이 부과되고 정기적으로 매 $INTERVAL$ 부과됩니다. 언제든지 취소할 수 있습니다.", "placeholders": { "interval": { "content": "$1", "example": "month or year" } } }, "paymentChargedWithTrial": { "message": "귀하의 플랜은 7일 무료 평가판입니다. 평가 기간이 만료될 때까지 카드에서 대금이 지불되지 않습니다. 이후 정기적으로 매 $INTERVAL$ 청구됩니다. 언제든지 취소할 수 있습니다." }, "paymentInformation": { "message": "결제 정보" }, "billingInformation": { "message": "결제 정보" }, "creditCard": { "message": "신용카드" }, "paypalClickSubmit": { "message": "PayPal 버튼을 클릭하여 PayPal 계정에 로그인한 후 아래의 제출 버튼을 클릭하여 계속 진행하십시오." }, "cancelSubscription": { "message": "구독 취소" }, "subscriptionCanceled": { "message": "구독을 취소했습니다." }, "pendingCancellation": { "message": "보류 취소" }, "subscriptionPendingCanceled": { "message": "구독은 현재 결제 기간이 끝날 때 취소로 표시됩니다." }, "reinstateSubscription": { "message": "구독 복원" }, "reinstateConfirmation": { "message": "보류중인 취소 요청을 제거하고 구독을 복원하시겠습니까?" }, "reinstated": { "message": "구독을 복원했습니다." }, "cancelConfirmation": { "message": "정말로 취소하시겠습니까? 청구 주기 후에 이 구독의 모든 기능에 대한 접근을 잃게 됩니다." }, "canceledSubscription": { "message": "구독을 취소했습니다." }, "neverExpires": { "message": "만료 없음" }, "status": { "message": "상태" }, "nextCharge": { "message": "다음 지불" }, "details": { "message": "세부사항" }, "downloadLicense": { "message": "라이선스 다운로드" }, "updateLicense": { "message": "라이선스 업데이트" }, "updatedLicense": { "message": "라이선스 업데이트됨" }, "manageSubscription": { "message": "구독 관리" }, "storage": { "message": "저장소" }, "addStorage": { "message": "저장소 용량 추가" }, "removeStorage": { "message": "저장소 용량 제거" }, "subscriptionStorage": { "message": "귀하의 구독은 총 $MAX_STORAGE$ GB의 암호화된 파일 저장소 용량을 갖고 있습니다. 현재 $USED_STORAGE$만큼 사용했습니다.", "placeholders": { "max_storage": { "content": "$1", "example": "4" }, "used_storage": { "content": "$2", "example": "65 MB" } } }, "paymentMethod": { "message": "결제 수단" }, "noPaymentMethod": { "message": "파일에 결제방식이 없습니다." }, "addPaymentMethod": { "message": "결제 수단 추가" }, "changePaymentMethod": { "message": "결제 수단 변경" }, "invoices": { "message": "청구서" }, "noInvoices": { "message": "청구서 없음" }, "paid": { "message": "결제됨", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "unpaid": { "message": "미결제", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "transactions": { "message": "거래내역", "description": "Payment/credit transactions." }, "noTransactions": { "message": "거래내역 없음." }, "chargeNoun": { "message": "결제", "description": "Noun. A charge from a payment method." }, "refundNoun": { "message": "환불", "description": "Noun. A refunded payment that was charged." }, "chargesStatement": { "message": "모든 요금은 $STATEMENT_NAME$으로 내역서에 표시됩니다.", "placeholders": { "statement_name": { "content": "$1", "example": "BITWARDEN" } } }, "gbStorageAdd": { "message": "추가되는 저장소 용량 (GB)" }, "gbStorageRemove": { "message": "삭제되는 저장소 용량 (GB)" }, "storageAddNote": { "message": "저장소 용량을 추가하면 청구 총계가 조정되고 파일에 즉시 지불 방법이 청구됩니다. 첫 번째 요금은 현재 청구 주기의 나머지 기간 동안 적립될 것입니다." }, "storageRemoveNote": { "message": "저장소 용량을 제거하면 다음 청구 비용에 대한 크레딧으로 할당된 청구 총계가 조정될 것입니다." }, "adjustedStorage": { "message": "$AMOUNT$GB 저장소로 조정됨", "placeholders": { "amount": { "content": "$1", "example": "5" } } }, "contactSupport": { "message": "고객 지원 서비스에 문의" }, "updatedPaymentMethod": { "message": "결제방식 업데이트됨." }, "purchasePremium": { "message": "프리미엄 구매" }, "licenseFile": { "message": "라이선스 파일" }, "licenseFileDesc": { "message": "라이선스 파일의 파일명은 $FILE_NAME$과 같을 것입니다.", "placeholders": { "file_name": { "content": "$1", "example": "bitwarden_premium_license.json" } } }, "uploadLicenseFilePremium": { "message": "프리미엄 멤버십으로 계정을 업그레이드하려면 유효한 라이선스 파일을 업로드해야 합니다." }, "uploadLicenseFileOrg": { "message": "온-프레미스 호스트 조직을 생성하려면 유효한 라이선스 파일을 업로드하십시오." }, "accountEmailMustBeVerified": { "message": "계정의 이메일 주소를 확인 해야 합니다." }, "newOrganizationDesc": { "message": "조직에서는 다른 사람과 저장소 일부를 공유할 수 있을 뿐 아니라 가족, 소규모 팀 또는 대기업과 같은 특정 엔터티에 대한 관련 사용자를 관리할 수 있습니다." }, "generalInformation": { "message": "일반 정보" }, "organizationName": { "message": "조직 이름" }, "accountOwnedBusiness": { "message": "이 계정은 기업이 소유하고 있습니다." }, "billingEmail": { "message": "결제 이메일" }, "businessName": { "message": "기업 이름" }, "chooseYourPlan": { "message": "플랜을 선택하십시오" }, "users": { "message": "사용자" }, "userSeats": { "message": "사용자 수" }, "additionalUserSeats": { "message": "추가 사용자 수" }, "userSeatsDesc": { "message": "# 의 사용자 수" }, "userSeatsAdditionalDesc": { "message": "귀하의 플랜은 $BASE_SEATS$개의 사용자 수가 제공됩니다. 사용자 당 월 $SEAT_PRICE$로 사용자를 추가할 수 있습니다.", "placeholders": { "base_seats": { "content": "$1", "example": "5" }, "seat_price": { "content": "$2", "example": "$2.00" } } }, "userSeatsHowManyDesc": { "message": "사용자 수가 얼마나 필요하십니까? 필요한 경우 나중에 사용자를 추가할 수 있습니다." }, "planNameFree": { "message": "무료", "description": "Free as in 'free beer'." }, "planDescFree": { "message": "테스트 용도나 개인 사용자는 다른 사용자에게 $COUNT$회 공유할 수 있습니다.", "placeholders": { "count": { "content": "$1", "example": "1" } } }, "planNameFamilies": { "message": "가정" }, "planDescFamilies": { "message": "개인적인 사용을 위해 가족과 친구들에게 공유하세요." }, "planNameTeams": { "message": "팀" }, "planDescTeams": { "message": "기업 및 기타 팀 조직용." }, "planNameEnterprise": { "message": "기업" }, "planDescEnterprise": { "message": "기업 및 기타 대규모 조직용." }, "freeForever": { "message": "영구 무료" }, "includesXUsers": { "message": "$COUNT$명의 사용자 포함", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "additionalUsers": { "message": "추가 사용자" }, "costPerUser": { "message": "사용자 당 $COST$", "placeholders": { "cost": { "content": "$1", "example": "$3" } } }, "limitedUsers": { "message": "$COUNT$명의 사용자(자신 포함) 로 제한됨", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "limitedCollections": { "message": "$COUNT$개의 컬렉션으로 제한됨", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "addShareLimitedUsers": { "message": "$COUNT$명까지 사용자 추가 및 공유", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "addShareUnlimitedUsers": { "message": "사용자 무제한 추가 및 공유" }, "createUnlimitedCollections": { "message": "무제한 컬렉션 만들기" }, "gbEncryptedFileStorage": { "message": "$SIZE$의 암호화된 파일 저장소", "placeholders": { "size": { "content": "$1", "example": "1 GB" } } }, "onPremHostingOptional": { "message": "온-프레미스 호스팅 (선택 사항)" }, "usersGetPremium": { "message": "사용자가 프리미엄 멤버십 기능에 액세스 가능" }, "controlAccessWithGroups": { "message": "그룹을 통한 사용자 액세스 제어" }, "syncUsersFromDirectory": { "message": "디렉토리로부터 사용자 및 그룹 동기화" }, "trackAuditLogs": { "message": "감사 로그로 사용자 동작 추적" }, "enforce2faDuo": { "message": "Duo 2FA를 적용" }, "priorityCustomerSupport": { "message": "우선 고객 지원" }, "xDayFreeTrial": { "message": "$COUNT$일간 무료 평가, 언제든지 취소", "placeholders": { "count": { "content": "$1", "example": "7" } } }, "monthly": { "message": "월간" }, "annually": { "message": "연간" }, "basePrice": { "message": "기준 단가" }, "organizationCreated": { "message": "조직 생성됨" }, "organizationReadyToGo": { "message": "새 조직이 준비 완료되었습니다!" }, "organizationUpgraded": { "message": "조직이 업그레이드되었습니다." }, "leave": { "message": "나가기" }, "leaveOrganizationConfirmation": { "message": "정말 이 조직을 떠나시겠습니까?" }, "leftOrganization": { "message": "조직을 떠났습니다." }, "defaultCollection": { "message": "기본 컬렉션" }, "getHelp": { "message": "문의하기" }, "getApps": { "message": "앱 다운로드" }, "loggedInAs": { "message": "로그인됨" }, "eventLogs": { "message": "이벤트 로그" }, "people": { "message": "인물" }, "policies": { "message": "정책" }, "singleSignOn": { "message": "통합 인증(SSO)" }, "editPolicy": { "message": "정책 수정" }, "groups": { "message": "그룹" }, "newGroup": { "message": "새 그룹" }, "addGroup": { "message": "그룹 추가" }, "editGroup": { "message": "그룹 편집" }, "deleteGroupConfirmation": { "message": "정말 이 그룹을 삭제하시겠습니까?" }, "removeUserConfirmation": { "message": "정말 이 사용자를 제거하시겠습니까?" }, "removeUserConfirmationKeyConnector": { "message": "Warning! This user requires Key Connector to manage their encryption. Removing this user from your organization will permanently disable their account. This action cannot be undone. Do you want to proceed?" }, "externalId": { "message": "외부 ID" }, "externalIdDesc": { "message": "외부 Id는 참조로 사용되거나 사용자 디렉토리같은 외부 시스템에 리소스를 링크할 수 있습니다." }, "accessControl": { "message": "접근 제어" }, "groupAccessAllItems": { "message": "이 그룹은 모든 항목에 액세스하고 수정할 수 있습니다." }, "groupAccessSelectedCollections": { "message": "이 그룹은 선택된 컬렉션에만 액세스할 수 있습니다." }, "readOnly": { "message": "읽기 전용" }, "newCollection": { "message": "새 컬렉션" }, "addCollection": { "message": "컬렉션 추가" }, "editCollection": { "message": "컬렉션 편집" }, "deleteCollectionConfirmation": { "message": "정말 이 컬렉션을 삭제하시겠습니까?" }, "editUser": { "message": "사용자 편집" }, "inviteUser": { "message": "사용자 초대" }, "inviteUserDesc": { "message": "아래에 Bitwarden 계정 이메일 주소를 입력하여 조직에 새 사용자를 초대하십시오. Bitwarden 계정을 가지고 있지 않다면, 새로운 계정을 만들라는 메시지가 표시됩니다." }, "inviteMultipleEmailDesc": { "message": "이메일 주소 목록을 쉼표(,)로 구분하여 한 번에 최대 $COUNT$명의 사용자를 초대할 수 있습니다.", "placeholders": { "count": { "content": "$1", "example": "20" } } }, "userUsingTwoStep": { "message": "이 사용자는 계정을 보호하기 위해 2단계 로그인을 사용하고 있습니다." }, "userAccessAllItems": { "message": "이 사용자는 모든 항목에 액세스하고 수정할 수 있습니다." }, "userAccessSelectedCollections": { "message": "이 사용자는 선택된 컬렉션에만 액세스할 수 있습니다." }, "search": { "message": "검색" }, "invited": { "message": "초대함" }, "accepted": { "message": "수락함" }, "confirmed": { "message": "확인됨" }, "clientOwnerEmail": { "message": "클라이언트 소유자 이메일" }, "owner": { "message": "소유자" }, "ownerDesc": { "message": "조직의 모든 측면을 관리할 수있는 최고 액세스 사용자." }, "clientOwnerDesc": { "message": "This user should be independent of the Provider. If the Provider is disassociated with the organization, this user will maintain ownership of the organization." }, "admin": { "message": "관리자" }, "adminDesc": { "message": "관리자는 모든 항목, 컬렉션 및 조직 내 속한 사용자에 대해 액세스하고 관리할 수 있습니다." }, "user": { "message": "사용자" }, "userDesc": { "message": "조직 내 할당된 컬렉션에 액세스할 수 있는 일반 사용자." }, "manager": { "message": "관리자" }, "managerDesc": { "message": "관리자는 조직 내 할당된 컬렉션에 액세스하고 관리할 수 있습니다." }, "all": { "message": "모두" }, "refresh": { "message": "새로 고침" }, "timestamp": { "message": "타임스탬프" }, "event": { "message": "이벤트" }, "unknown": { "message": "알 수 없음" }, "loadMore": { "message": "더 불러오기" }, "mobile": { "message": "모바일", "description": "Mobile app" }, "extension": { "message": "확장", "description": "Browser extension/addon" }, "desktop": { "message": "데스크탑", "description": "Desktop app" }, "webVault": { "message": "웹 보관함" }, "loggedIn": { "message": "로그인됨." }, "changedPassword": { "message": "계정 비밀번호가 변경됨." }, "enabledUpdated2fa": { "message": "2단계 로그인 활성화/갱신됨." }, "disabled2fa": { "message": "2단계 로그인 비활성화됨." }, "recovered2fa": { "message": "2단계 로그인으로 복구된 계정." }, "failedLogin": { "message": "잘못된 암호로 로그인 시도가 실패했습니다." }, "failedLogin2fa": { "message": "잘못된 2단계 로그인으로 로그인 시도가 실패했습니다." }, "exportedVault": { "message": "보관함을 내보냈습니다." }, "exportedOrganizationVault": { "message": "조직 보관함을 내보냈습니다." }, "editedOrgSettings": { "message": "조직 설정이 수정되었습니다." }, "createdItemId": { "message": "$ID$ 항목이 생성되었습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedItemId": { "message": "$ID$ 항목이 수정되었습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedItemId": { "message": "$ID$ 항목이 삭제되었습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "movedItemIdToOrg": { "message": "$ID$ 항목을 조직으로 이동시켰습니다.", "placeholders": { "id": { "content": "$1", "example": "'Google'" } } }, "viewedItemId": { "message": "$ID$ 항목을 확인했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedPasswordItemId": { "message": "$ID$ 항목의 비밀번호를 확인했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedHiddenFieldItemId": { "message": "$ID$ 항목의 숨겨진 필드를 확인했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedSecurityCodeItemId": { "message": "$ID$ 항목의 보안 코드를 확인했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedPasswordItemId": { "message": "$ID$ 항목의 비밀번호를 복사했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedHiddenFieldItemId": { "message": "$ID$ 항목의 숨겨진 필드를 복사했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedSecurityCodeItemId": { "message": "$ID$ 항목의 보안 코드를 복사했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "autofilledItemId": { "message": "$ID$ 항목을 자동으로 채웠습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "createdCollectionId": { "message": "$ID$ 컬렉션이 생성되었습니다.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedCollectionId": { "message": "$ID$ 컬렉션이 수정되었습니다.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "deletedCollectionId": { "message": "$ID$ 컬렉션이 삭제되었습니다.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedPolicyId": { "message": "$ID$ 정책을 편집했습니다.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "createdGroupId": { "message": "$ID$ 그룹을 만들었습니다.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "editedGroupId": { "message": "$ID$ 그룹을 편집했습니다.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "deletedGroupId": { "message": "$ID$ 그룹을 삭제했습니다.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "removedUserId": { "message": "$ID$ 사용자를 제거했습니다.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdAttachmentForItem": { "message": "$ID$ 항목에 첨부 파일을 만들었습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedAttachmentForItem": { "message": "$ID$ 항목에서 첨부 파일을 삭제했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedCollectionsForItem": { "message": "$ID$ 항목에 대한 컬렉션이 수정되었습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "invitedUserId": { "message": "$ID$ 사용자를 초대했습니다.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "confirmedUserId": { "message": "$ID$ 사용자가 확인되었습니다.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedUserId": { "message": "$ID$ 사용자를 편집했습니다.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedGroupsForUser": { "message": "$ID$ 사용자에 대한 그룹이 편집되었습니다.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "unlinkedSsoUser": { "message": "$ID$ 사용자에 대한 SSO 연결이 해제되었습니다.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdOrganizationId": { "message": "$ID$ 조직을 만들었습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "addedOrganizationId": { "message": "$ID$ 조직을 추가했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "removedOrganizationId": { "message": "$ID$ 조직을 제거했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "accessedClientVault": { "message": "Accessed $ID$ organization vault.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "device": { "message": "기기" }, "view": { "message": "보기" }, "invalidDateRange": { "message": "날짜 범위가 잘못되었습니다." }, "errorOccurred": { "message": "오류가 발생했습니다." }, "userAccess": { "message": "사용자 접근" }, "userType": { "message": "사용자 유형" }, "groupAccess": { "message": "그룹 접근" }, "groupAccessUserDesc": { "message": "이 사용자가 속한 그룹을 편집합니다." }, "invitedUsers": { "message": "사용자를 초대했습니다." }, "resendInvitation": { "message": "초대장 다시 보내기" }, "resendEmail": { "message": "Resend Email" }, "hasBeenReinvited": { "message": "$USER$가 다시 초대되었습니다.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirm": { "message": "확인" }, "confirmUser": { "message": "사용자 확인" }, "hasBeenConfirmed": { "message": "$USER$가 확인되었습니다.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirmUsers": { "message": "사용자 확인" }, "usersNeedConfirmed": { "message": "초대에 수락한 사용자가 있지만 여전히 확인이 필요합니다. 사용자는 확인될 때까지 조직에 액세스할 수 없습니다." }, "startDate": { "message": "시작 날짜" }, "endDate": { "message": "종료 날짜" }, "verifyEmail": { "message": "이메일 인증하기" }, "verifyEmailDesc": { "message": "모든 기능에 대한 액세스 잠금을 해제하려면 계정의 이메일을 인증하십시오." }, "verifyEmailFirst": { "message": "계정의 이메일 주소를 먼저 확인해야 합니다." }, "checkInboxForVerification": { "message": "이메일 편지함에서 인증 링크를 확인하십시오." }, "emailVerified": { "message": "이메일이 확인되었습니다." }, "emailVerifiedFailed": { "message": "이메일을 인증할 수 없습니다. 새로운 인증을 이메일로 전송하십시오." }, "emailVerificationRequired": { "message": "이메일 인증 필요함" }, "emailVerificationRequiredDesc": { "message": "이 기능을 이용하기 위해서는 이메일을 인증해야 합니다." }, "updateBrowser": { "message": "브라우저 업데이트" }, "updateBrowserDesc": { "message": "지원하지 않는 웹 브라우저를 사용하고 있습니다. 웹 보관함 기능이 제대로 동작하지 않을 수 있습니다." }, "joinOrganization": { "message": "조직 참가" }, "joinOrganizationDesc": { "message": "이 조직에서 귀하에게 가입 초대를 보냈습니다. 초대를 수락하려면 로그인하거나 Bitwarden 계정을 생성해야 합니다." }, "inviteAccepted": { "message": "초대 수락됨" }, "inviteAcceptedDesc": { "message": "관리자의 확인을 받으면 조직에 액세스할 수 있습니다. 승인이 이뤄지면 이메일을 보내드리겠습니다." }, "inviteAcceptFailed": { "message": "초대를 수락할 수 없습니다. 조직 관리자에게 새 초대장을 보내도록 요청하십시오." }, "inviteAcceptFailedShort": { "message": "초대를 수락할 수 없습니다. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "rememberEmail": { "message": "이메일 기억하기" }, "recoverAccountTwoStepDesc": { "message": "일반적인 2단계 로그인 방법을 통해 계정에 액세스할 수 없는 경우, 2단계 로그인 복구 코드를 사용하여 계정의 모든 2단계 제공자를 비활성화할 수 있습니다." }, "recoverAccountTwoStep": { "message": "계정 2단계 로그인 복구하기" }, "twoStepRecoverDisabled": { "message": "계정에 2단계 로그인이 비활성화되어 있습니다." }, "learnMore": { "message": "더 알아보기" }, "deleteRecoverDesc": { "message": "계정을 복구하거나 삭제하려면 아래에 이메일 주소를 입력하십시오." }, "deleteRecoverEmailSent": { "message": "계정이 존재한다면 추가적인 안내사항이 있는 이메일을 보냈습니다." }, "deleteRecoverConfirmDesc": { "message": "Biitiwarden 계정을 삭제하도록 요청했습니다. 아래 버튼을 클릭하여 확인하십시오." }, "myOrganization": { "message": "내 조직" }, "deleteOrganization": { "message": "조직 삭제" }, "deletingOrganizationContentWarning": { "message": "Enter the master password to confirm deletion of $ORGANIZATION$ and all associated data. Vault data in $ORGANIZATION$ includes:", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "deletingOrganizationActiveUserAccountsWarning": { "message": "User accounts will remain active after deletion but will no longer be associated to this organization." }, "deletingOrganizationIsPermanentWarning": { "message": "Deleting $ORGANIZATION$ is permanent and irreversible.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "organizationDeleted": { "message": "조직 삭제됨" }, "organizationDeletedDesc": { "message": "조직과 연관된 모든 데이터가 삭제되었습니다." }, "organizationUpdated": { "message": "조직 갱신됨" }, "taxInformation": { "message": "세금 정보" }, "taxInformationDesc": { "message": "청구서에 대한 세금 정보를 제공(또는 업데이트) 하려면 지원팀에 문의하십시오." }, "billingPlan": { "message": "플랜", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlan": { "message": "Change Plan", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlanUpgrade": { "message": "아래 정보를 제공하여 계정을 다른 플랜으로 업그레이드하십시오. 계정에 활성화된 결제 방식이 추가되어 있는지 확인하십시오.", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "invoiceNumber": { "message": "청구서 #$NUMBER$", "description": "ex. Invoice #79C66F0-0001", "placeholders": { "number": { "content": "$1", "example": "79C66F0-0001" } } }, "viewInvoice": { "message": "청구서 보기" }, "downloadInvoice": { "message": "청구서 다운로드" }, "verifyBankAccount": { "message": "은행 계좌 인증하기" }, "verifyBankAccountDesc": { "message": "우리는 귀하의 은행 계좌에 2건의 소액 결제정보를 생성했습니다(보여지기까지 1~2영업일 소요됨). 은행 계좌를 인증하려면 해당 금액을 입력하십시오." }, "verifyBankAccountInitialDesc": { "message": "은행 계좌를 통한 결제는 미국 내 고객만 이용할 수 있습니다. 은행 계좌는 확인이 필요합니다. 1-2영업일 이내에 2건의 소액 결제정보를 생성할 것입니다. 은행 계좌를 인증하려면 조직 내 청구 페이지에서 해당 금액을 입력하십시오." }, "verifyBankAccountFailureWarning": { "message": "은행 계좌를 확인하지 않으면 결제가 누락되어 구독이 비활성화됩니다." }, "verifiedBankAccount": { "message": "계좌 번호가 확인되었습니다." }, "bankAccount": { "message": "은행 계좌" }, "amountX": { "message": "금액 $COUNT$", "description": "Used in bank account verification of micro-deposits. Amount, as in a currency amount. Ex. Amount 1 is $2.00, Amount 2 is $1.50", "placeholders": { "count": { "content": "$1", "example": "1" } } }, "routingNumber": { "message": "라우팅 번호", "description": "Bank account routing number" }, "accountNumber": { "message": "계좌 번호" }, "accountHolderName": { "message": "계좌 소유자 이름" }, "bankAccountType": { "message": "계좌 유형" }, "bankAccountTypeCompany": { "message": "회사 (기업)" }, "bankAccountTypeIndividual": { "message": "개인 (개인)" }, "enterInstallationId": { "message": "설치 ID를 입력하십시오" }, "limitSubscriptionDesc": { "message": "Set a seat limit for your subscription. Once this limit is reached, you will not be able to invite new users." }, "maxSeatLimit": { "message": "최대 시트 제한 (선택)", "description": "Upper limit of seats to allow through autoscaling" }, "maxSeatCost": { "message": "Max potential seat cost" }, "addSeats": { "message": "사용자 수 추가", "description": "Seat = User Seat" }, "removeSeats": { "message": "사용자 수 제거", "description": "Seat = User Seat" }, "subscriptionDesc": { "message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users." }, "subscriptionUserSeats": { "message": "귀하의 구독은 총 $COUNT$명의 사용자를 허용합니다.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "limitSubscription": { "message": "구독 제한 (선택)" }, "subscriptionSeats": { "message": "구독 시트" }, "subscriptionUpdated": { "message": "구독 업데이트됨" }, "additionalOptions": { "message": "추가 옵션" }, "additionalOptionsDesc": { "message": "구독과 관련하여 추가적인 도움이 필요한 경우 고객 지원에 문의하십시오." }, "subscriptionUserSeatsUnlimitedAutoscale": { "message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users." }, "subscriptionUserSeatsLimitedAutoscale": { "message": "Adjustments to your subscription will result in prorated changes to your billing totals. If newly invited users exceed your subscription seats, you will immediately receive a prorated charge for the additional users until your $MAX$ seat limit is reached.", "placeholders": { "max": { "content": "$1", "example": "50" } } }, "subscriptionFreePlan": { "message": "You cannot invite more than $COUNT$ users without upgrading your plan.", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "subscriptionFamiliesPlan": { "message": "You cannot invite more than $COUNT$ users without upgrading your plan. Please contact Customer Support to upgrade.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionSponsoredFamiliesPlan": { "message": "Your subscription allows for a total of $COUNT$ users. Your plan is sponsored and billed to an external organization.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionMaxReached": { "message": "Adjustments to your subscription will result in prorated changes to your billing totals. You cannot invite more than $COUNT$ users without increasing your subscription seats.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "seatsToAdd": { "message": "추가할 사용자 수" }, "seatsToRemove": { "message": "제거할 사용자 수" }, "seatsAddNote": { "message": "사용자 수를 추가하면 청구 총계가 조정되고 파일에 즉시 지불 방법이 청구됩니다. 첫 번째 요금은 현재 청구 주기의 나머지 기간 동안 적립될 것입니다." }, "seatsRemoveNote": { "message": "사용자 수를 제거하면 다음 청구 비용에 대한 크레딧으로 할당된 청구 총계가 조정될 것입니다." }, "adjustedSeats": { "message": "사용자 수가 $AMOUNT$명으로 조정됨", "placeholders": { "amount": { "content": "$1", "example": "15" } } }, "keyUpdated": { "message": "키 업데이트됨" }, "updateKeyTitle": { "message": "키 업데이트" }, "updateEncryptionKey": { "message": "암호화 키 업데이트" }, "updateEncryptionKeyShortDesc": { "message": "현재 오래된 암호화 체계를 사용하고 있습니다." }, "updateEncryptionKeyDesc": { "message": "우리는 더 나은 보안 및 새로운 기능에 대한 액세스를 제공하는 더 큰 암호화 키로 이동했습니다. 암호화 키를 업데이트하는 것은 빠르고 쉽습니다. 그저 마스터 비밀번호를 입력하면 됩니다. 이 업데이트는 결국 필수사항이 될 것입니다." }, "updateEncryptionKeyWarning": { "message": "암호화 키를 업데이트하고난 후 현재 사용 중인 모든 Bitwarden 애플리케이션(예. 모바일 앱 혹은 브라우저 확장 기능)에서 로그아웃 후 다시 로그인해야 합니다. 재로그인하지 않으면 (새 암호화 키를 다운로드받는 경우) 데이터 손실이 발생할 수 있습니다. 자동으로 로그아웃을 시도하지만 지연될 수 있습니다." }, "updateEncryptionKeyExportWarning": { "message": "이전에 암호화 상태로 내보내기하여 저장한 데이터도 무효화됩니다." }, "subscription": { "message": "구독" }, "loading": { "message": "불러오는 중" }, "upgrade": { "message": "업그레이드" }, "upgradeOrganization": { "message": "조직 업그레이드" }, "upgradeOrganizationDesc": { "message": "이 기능은 무료 조직에서는 사용할 수 없습니다. 더 많은 기능을 이용하려면 유료 플랜으로 전환하십시오." }, "createOrganizationStep1": { "message": "조직 만들기: 1단계" }, "createOrganizationCreatePersonalAccount": { "message": "조직을 생성하기 전에 먼저 무료 개인 계정을 생성해야 합니다." }, "refunded": { "message": "환불됨" }, "nothingSelected": { "message": "아무것도 선택하지 않았습니다." }, "acceptPolicies": { "message": "이 박스를 체크하면 다음에 동의하는 것으로 간주됩니다:" }, "acceptPoliciesError": { "message": "서비스 약관 및 개인 정보 보호 정책을 확인하지 않았습니다." }, "termsOfService": { "message": "서비스 약관" }, "privacyPolicy": { "message": "개인 정보 보호 정책" }, "filters": { "message": "필터" }, "vaultTimeout": { "message": "보관함 시간 제한" }, "vaultTimeoutDesc": { "message": "보관함이 언제까지 시간을 제한하고 선택된 행동을 수행하지 선택해주세요." }, "oneMinute": { "message": "1분" }, "fiveMinutes": { "message": "5분" }, "fifteenMinutes": { "message": "15분" }, "thirtyMinutes": { "message": "30분" }, "oneHour": { "message": "1시간" }, "fourHours": { "message": "4시간" }, "onRefresh": { "message": "브라우저 새로 고침 시" }, "dateUpdated": { "message": "업데이트됨", "description": "ex. Date this item was updated" }, "datePasswordUpdated": { "message": "비밀번호 업데이트됨", "description": "ex. Date this password was updated" }, "organizationIsDisabled": { "message": "조직이 비활성화됨" }, "licenseIsExpired": { "message": "라이선스가 만료되었습니다." }, "updatedUsers": { "message": "업데이트된 사용자" }, "selected": { "message": "선택됨" }, "ownership": { "message": "소유자" }, "whoOwnsThisItem": { "message": "이 항목의 소유자는 누구입니까?" }, "strong": { "message": "강함", "description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong" }, "good": { "message": "괜찮음", "description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weak": { "message": "약함", "description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "veryWeak": { "message": "매우 약함", "description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weakMasterPassword": { "message": "취약한 마스터 비밀번호" }, "weakMasterPasswordDesc": { "message": "선택한 마스터 비밀번호는 취약합니다. Bitwarden 계정을 확실히 보호하려면 강력한 마스터 비밀번호(혹은 패스프레이즈)를 사용해야 합니다. 정말 이 마스터 비밀번호를 사용하시겠습니까?" }, "rotateAccountEncKey": { "message": "내 계정의 암호화 키 회전" }, "rotateEncKeyTitle": { "message": "암호화 키 교체하기" }, "rotateEncKeyConfirmation": { "message": "정말 계정의 암호화 키를 교체하시겠습니까?" }, "attachmentsNeedFix": { "message": "이 항목은 수정이 필요한 오래된 파일을 갖고 있습니다." }, "attachmentFixDesc": { "message": "이것은 수정이 필요한 오래된 파일입니다. 자세한 내용을 보려면 클릭하십시오." }, "fix": { "message": "수정", "description": "This is a verb. ex. 'Fix The Car'" }, "oldAttachmentsNeedFixDesc": { "message": "계정의 암호화 키를 교체하기 전에 보관함 내 오래된 파일 수정이 필요합니다." }, "yourAccountsFingerprint": { "message": "계정 지문 구절", "description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing." }, "fingerprintEnsureIntegrityVerify": { "message": "암호화 키의 무결성을 확인하려면 계속하기 전에 사용자의 지문 구문을 확인하십시오.", "description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing." }, "dontAskFingerprintAgain": { "message": "지문 구절을 다시 확인하지 않음", "description": "A 'fingerprint phrase' is a unique word phrase (similar to a passphrase) that a user can use to authenticate their public key with another user, for the purposes of sharing." }, "free": { "message": "무료", "description": "Free, as in 'Free beer'" }, "apiKey": { "message": "API 키" }, "apiKeyDesc": { "message": "API 키를 사용하여 Bitwarden 공용 API에 인증할 수 있습니다." }, "apiKeyRotateDesc": { "message": "API 키를 교체하면 이전 키는 무효화됩니다. 현재 키가 더 이상 안전하지 않다고 판단되면 API 키를 교체할 수 있습니다." }, "apiKeyWarning": { "message": "귀하의 API 키는 조직에 대한 전체 액세스 권한을 가집니다. 이것은 비밀로 해야 합니다." }, "userApiKeyDesc": { "message": "API 키를 사용하여 Bitwarden CLI에 인증할 수 있습니다." }, "userApiKeyWarning": { "message": "당신의 API 키는 대체 인증 수단입니다. 안전하게 보관해주세요." }, "oauth2ClientCredentials": { "message": "OAuth 2.0 클라이언트 자격 증명", "description": "'OAuth 2.0' is a programming protocol. It should probably not be translated." }, "viewApiKey": { "message": "API 키 보기" }, "rotateApiKey": { "message": "API 키 교체" }, "selectOneCollection": { "message": "반드시 하나 이상의 모음을 선택해야 합니다." }, "couldNotChargeCardPayInvoice": { "message": "카드에 청구할 수 없습니다. 아래 목록에서 결제되지 않은 인보이스를 확인하고 결제해주세요." }, "inAppPurchase": { "message": "애플리케이션 내 구매" }, "cannotPerformInAppPurchase": { "message": "인 앱 결제 수단을 사용하고 있을 때에는 이 행동을 수행할 수 없습니다." }, "manageSubscriptionFromStore": { "message": "인 앱 결제가 이루어진 스토어에서 구독을 관리해야 합니다." }, "minLength": { "message": "최소 길이" }, "clone": { "message": "복제" }, "masterPassPolicyDesc": { "message": "마스터 비밀번호 강도에 대한 최소 요구 사항을 설정해주세요." }, "twoStepLoginPolicyDesc": { "message": "개인 계정에서 2단계 로그인을 요구합니다." }, "twoStepLoginPolicyWarning": { "message": "2단계 로그인을 활성화하지 않은 단체 맴버는 단체에서 제거되며 변경 사항에 대한 이메일 알림을 받습니다." }, "twoStepLoginPolicyUserWarning": { "message": "사용자 계정에 대해서 2단계 로그인을 요구하는 단체의 멤버입니다. 모든 2단계 로그인 수단을 비활성화한다면 단체에서 자동으로 제거됩니다." }, "passwordGeneratorPolicyDesc": { "message": "비밀번호 생성기 설정에 최소 요구 사항을 설정해주세요." }, "passwordGeneratorPolicyInEffect": { "message": "하나 이상의 단체 정책이 생성기 설정에 영항을 미치고 있습니다." }, "masterPasswordPolicyInEffect": { "message": "하나 이상의 단체 정책이 마스터 비밀번호가 다음 사항을 따르도록 요구합니다:" }, "policyInEffectMinComplexity": { "message": "최소 복잡도 점수 $SCORE$", "placeholders": { "score": { "content": "$1", "example": "4" } } }, "policyInEffectMinLength": { "message": "최소 길이 $LENGTH$", "placeholders": { "length": { "content": "$1", "example": "14" } } }, "policyInEffectUppercase": { "message": "하나 이상의 대문자 포함" }, "policyInEffectLowercase": { "message": "하나 이상의 소문자 포함" }, "policyInEffectNumbers": { "message": "하나 이상의 숫자 포함" }, "policyInEffectSpecial": { "message": "하나 이상의 특수문자 포함 $CHARS$", "placeholders": { "chars": { "content": "$1", "example": "!@#$%^&*" } } }, "masterPasswordPolicyRequirementsNotMet": { "message": "새 마스터 비밀번호가 정책 요구 사항을 따르지 않습니다." }, "minimumNumberOfWords": { "message": "단어 최소 개수" }, "defaultType": { "message": "기본 유형" }, "userPreference": { "message": "사용자 설정" }, "vaultTimeoutAction": { "message": "보관함 시간 제한 초과시 동작" }, "vaultTimeoutActionLockDesc": { "message": "잠긴 보관함에 다시 접근하려면 마스터 비밀번호를 입력해야 합니다." }, "vaultTimeoutActionLogOutDesc": { "message": "로그아웃한 보관함에 다시 접근하려면 다시 인증해야 합니다." }, "lock": { "message": "잠금", "description": "Verb form: to make secure or inaccesible by" }, "trash": { "message": "휴지통", "description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted" }, "searchTrash": { "message": "휴지통 검색" }, "permanentlyDelete": { "message": "영구적으로 삭제" }, "permanentlyDeleteSelected": { "message": "선택한 항목을 영구적으로 삭제" }, "permanentlyDeleteItem": { "message": "영구적으로 항목 삭제" }, "permanentlyDeleteItemConfirmation": { "message": "정말로 이 항목을 영구적으로 삭제하시겠습니까?" }, "permanentlyDeletedItem": { "message": "영구적으로 삭제된 항목" }, "permanentlyDeletedItems": { "message": "영구적으로 삭제된 항목" }, "permanentlyDeleteSelectedItemsDesc": { "message": "영구 삭제를 위해 $COUNT$ 개의 항목이 선택되었습니다. 정말로 이 항목들을 모두 영구적으로 삭제하시겠습니까?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "permanentlyDeletedItemId": { "message": "영구적으로 삭제된 항목 $ID$ 을(를) 삭제했습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "restore": { "message": "복원" }, "restoreSelected": { "message": "선택 항목 복원" }, "restoreItem": { "message": "항목 복구" }, "restoredItem": { "message": "복구된 항목" }, "restoredItems": { "message": "복구된 항목" }, "restoreItemConfirmation": { "message": "정말로 이 항목을 복구하시겠습니까?" }, "restoreItems": { "message": "항목 복구" }, "restoreSelectedItemsDesc": { "message": "복구를 위해 $COUNT$ 개의 항목이 선택되었습니다. 정말로 이 항목들을 모두 복구하시겠습니까?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "restoredItemId": { "message": "$ID$ 항목이 복구되었습니다.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "vaultTimeoutLogOutConfirmation": { "message": "로그아웃하면 보관함에 대한 모든 접근이 제거되며 시간 제한을 초과하면 온라인 인증을 요구합니다. 정말로 이 설정을 사용하시겠습니까?" }, "vaultTimeoutLogOutConfirmationTitle": { "message": "시간 제한 초과시 동작 확인" }, "hidePasswords": { "message": "비밀번호 숨기기" }, "countryPostalCodeRequiredDesc": { "message": "세금 계산 및 금융 보고만을 위해서 해당 정보가 필요합니다." }, "includeVAT": { "message": "VAT/GST 정보 포함 (선택)" }, "taxIdNumber": { "message": "VAT/GST 세금 ID" }, "taxInfoUpdated": { "message": "세금 정보가 업데이트되었습니다." }, "setMasterPassword": { "message": "마스터 비밀번호 설정" }, "ssoCompleteRegistration": { "message": "SSO 로그인을 하기 위해서 보관함에 접근하고 보호할 수 있도록 마스터 비밀번호를 설정해주세요." }, "identifier": { "message": "식별자" }, "organizationIdentifier": { "message": "조직 식별자" }, "ssoLogInWithOrgIdentifier": { "message": "조직의 통합 인증(SSO) 포탈을 통해서 로그인하세요. 시작하려면 조직 식별자를 입력해주세요." }, "enterpriseSingleSignOn": { "message": "엔터프라이즈 통합 인증 (SSO)" }, "ssoHandOff": { "message": "이제 이 탭을 닫고 확장 프로그램에서 계속 진행하셔도 됩니다." }, "includeAllTeamsFeatures": { "message": "모든 팀 기능, 추가로:" }, "includeSsoAuthentication": { "message": "SAML2.0과 OpenID Connect를 통한 SSO 인증" }, "includeEnterprisePolicies": { "message": "엔터프라이즈 정책" }, "ssoValidationFailed": { "message": "SSO 검증 실패" }, "ssoIdentifierRequired": { "message": "조직 식별자가 필요합니다." }, "unlinkSso": { "message": "SSO 연결 해제" }, "unlinkSsoConfirmation": { "message": "Are you sure you want to unlink SSO for this organization?" }, "linkSso": { "message": "SSO 연결" }, "singleOrg": { "message": "통합 조직" }, "singleOrgDesc": { "message": "사용자들이 다른 조직에 가입하지 못하도록 제한합니다." }, "singleOrgBlockCreateMessage": { "message": "현재 조직에 하나 이상의 조직에 참가할 수 없도록 정책이 지정되어 있습니다. 조직 관리자에게 문의하거나 다른 Bitwarden 계정으로 로그앤해주세요." }, "singleOrgPolicyWarning": { "message": "소유자 또는 관리자가 아닌 조직 구성원 및 이미 다른 조직의 구성원인 경우 이 조직에서 제거됩니다." }, "requireSso": { "message": "통합 (SSO) 인증" }, "requireSsoPolicyDesc": { "message": "엔터프라이즈 통합 로그인 (SSO) 수단을 사용해서 로그인해야 합니다." }, "prerequisite": { "message": "필요 조건" }, "requireSsoPolicyReq": { "message": "이 정책을 활성화하기 전에 통합 조직 엔터프라이즈 정책이 활성화되어 있어야합니다." }, "requireSsoPolicyReqError": { "message": "통합 조직 정책이 활성화되지 않았습니다." }, "requireSsoExemption": { "message": "조직 소유자와 관리자는 이 정책을 적용받지 않습니다." }, "sendTypeFile": { "message": "파일" }, "sendTypeText": { "message": "텍스트" }, "createSend": { "message": "새 Send 생성", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editSend": { "message": "Send 편집", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "createdSend": { "message": "Send 생성함", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editedSend": { "message": "Send 수정함", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletedSend": { "message": "Send 삭제함", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSend": { "message": "Send 삭제", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSendConfirmation": { "message": "정말 이 Send를 삭제하시겠습니까?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "whatTypeOfSend": { "message": "어떤 유형의 Send인가요?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletionDate": { "message": "삭제 날짜" }, "deletionDateDesc": { "message": "이 Send가 정해진 일시에 영구적으로 삭제됩니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDate": { "message": "만료일" }, "expirationDateDesc": { "message": "설정할 경우, 이 Send에 대한 접근 권한이 정해진 일시에 만료됩니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "maxAccessCount": { "message": "최대 접근 횟수" }, "maxAccessCountDesc": { "message": "설정할 경우, 최대 접근 횟수에 도달할 때 이 Send에 접근할 수 없게 됩니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "currentAccessCount": { "message": "현재 접근 횟수" }, "sendPasswordDesc": { "message": "이 Send에 접근하기 위해 암호를 입력하도록 선택적으로 요구합니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNotesDesc": { "message": "이 Send에 대한 비공개 메모", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disabled": { "message": "비활성화됨" }, "sendLink": { "message": "Send 링크", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "copySendLink": { "message": "Send 링크 복사", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "removePassword": { "message": "비밀번호 제거" }, "removedPassword": { "message": "비밀번호 제거함" }, "removePasswordConfirmation": { "message": "비밀번호를 제거하시겠습니까?" }, "hideEmail": { "message": "받는 사람으로부터 나의 이메일 주소 숨기기" }, "disableThisSend": { "message": "이 Send를 비활성화하여 아무도 접근할 수 없게 합니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "allSends": { "message": "모든 Send" }, "maxAccessCountReached": { "message": "최대 접근 횟수 도달", "description": "This text will be displayed after a Send has been accessed the maximum amount of times." }, "pendingDeletion": { "message": "삭제 대기 중" }, "expired": { "message": "만료됨" }, "searchSends": { "message": "Send 검색", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPassword": { "message": "이 Send는 비밀번호로 보호되어 있습니다. 계속하려면 비밀번호를 입력해주세요.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPasswordDontKnow": { "message": "비밀번호를 모르시나요? 보낸 사람에게 Send에 접근할 수 있는 비밀번호를 요청하세요.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendHiddenByDefault": { "message": "이 Send는 기본적으로 숨겨져 있습니다. 아래의 버튼을 눌러 공개 여부를 전환할 수 있습니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "downloadFile": { "message": "파일 다운로드" }, "sendAccessUnavailable": { "message": "접근하려고 하는 Send가 존재하지 않거나 더이상 제공되지 않습니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "missingSendFile": { "message": "이 Send와 연관된 파일을 찾을 수 없습니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "noSendsInList": { "message": "Send가 없습니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "emergencyAccess": { "message": "긴급 접근" }, "emergencyAccessDesc": { "message": "신뢰할 수 있는 연락처에 긴급 접근 권한을 부여하고 관리합니다. 신뢰할 수 있는 연락처는 보관함 내용을 보거나 계정을 넘겨받기 위해 권한을 요청할 수도 있습니다. 도움말 페이지를 방문하여 영지식 증명을 통한 공유의 작동 방식에 대해 더 자세히 알아보세요." }, "emergencyAccessOwnerWarning": { "message": "현재 하나 이상의 조직의 소유자입니다. 긴급 연락처에 넘겨받기 권한을 부여할 경우, 해당 연락처가 계정을 넘겨받은 뒤에는 소유자로서의 당신의 권한을 모두 행사할 수 있게 됩니다." }, "trustedEmergencyContacts": { "message": "신뢰할 수 있는 긴급 연락처" }, "noTrustedContacts": { "message": "아직 긴급 연락처를 추가하지 않으셨습니다. 시작하려면 신뢰할 수 있는 연락처를 초대하십시오." }, "addEmergencyContact": { "message": "긴급 연락처 추가" }, "designatedEmergencyContacts": { "message": "긴급 연락처로 지정됨" }, "noGrantedAccess": { "message": "아직 당신을 긴급 연락처로 지정한 사람이 없습니다." }, "inviteEmergencyContact": { "message": "긴급 연락처 초대" }, "editEmergencyContact": { "message": "긴급 연락처 편집" }, "inviteEmergencyContactDesc": { "message": "긴급 연락처로 초대하고자 하는 사람의 Bitwarden 계정 이메일 주소를 아래에 입력하십시오. 초대받는 사람이 Bitwarden 계정을 가지고 있지 않은 경우에는 새로운 계정을 만들라는 메시지가 표시될 것입니다." }, "emergencyAccessRecoveryInitiated": { "message": "긴급 접근 시작됨" }, "emergencyAccessRecoveryApproved": { "message": "긴급 접근 승인됨" }, "viewDesc": { "message": "보관함의 모든 항목을 볼 수 있습니다." }, "takeover": { "message": "넘겨받기" }, "takeoverDesc": { "message": "새로운 마스터 비밀번호를 만들어 계정을 재설정할 수 있습니다." }, "waitTime": { "message": "대기 시간" }, "waitTimeDesc": { "message": "자동으로 접근 권한을 부여하기까지 필요한 시간." }, "oneDay": { "message": "1일" }, "days": { "message": "$DAYS$일", "placeholders": { "days": { "content": "$1", "example": "1" } } }, "invitedUser": { "message": "사용자를 초대했습니다." }, "acceptEmergencyAccess": { "message": "위에 표시된 사용자가 자신의 긴급 연락처에 당신을 초대했습니다. 이 초대를 수락하기 위해서는 로그인하거나 새로운 Bitwarden 계정을 만들어야 합니다." }, "emergencyInviteAcceptFailed": { "message": "초대를 수락할 수 없습니다. 해당 사용자에게 새 초대장을 보내도록 요청하십시오." }, "emergencyInviteAcceptFailedShort": { "message": "초대를 수락할 수 없습니다. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "emergencyInviteAcceptedDesc": { "message": "이 사용자가 당신의 신원을 확인하면 이 사용자에 대한 긴급 설정에 접근할 수 있게 됩니다. 확인이 진행되면 이메일을 보내드리겠습니다." }, "requestAccess": { "message": "접근 요청" }, "requestAccessConfirmation": { "message": "정말 긴급 접근을 요청하시겠습니까? $WAITTIME$일 후 혹은 해당 사용자가 직접 이 요청을 수락할 때 접근할 수 있게 됩니다.", "placeholders": { "waittime": { "content": "$1", "example": "1" } } }, "requestSent": { "message": "$USER$에 대한 긴급 접근을 요청했습니다. 다음 단계로 진행할 수 있을 때 이메일로 알려드리겠습니다.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "approve": { "message": "승인" }, "reject": { "message": "거절" }, "approveAccessConfirmation": { "message": "정말 긴급 접근을 승인하시겠습니까? 승인하는 경우 $USER$ 사용자가 이 계정에 다음의 동작을 수행할 수 있습니다: $ACTION$", "placeholders": { "user": { "content": "$1", "example": "John Smith" }, "action": { "content": "$2", "example": "View" } } }, "emergencyApproved": { "message": "긴급 접근 승인됨." }, "emergencyRejected": { "message": "긴급 접근 거절됨." }, "passwordResetFor": { "message": "$USER$ 사용자의 비밀번호가 초기화되었습니다. 이제 새로운 비밀번호로 로그인할 수 있습니다.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "personalOwnership": { "message": "개인 소유권" }, "personalOwnershipPolicyDesc": { "message": "개인 소유권 옵션을 해제함으로써 보관함의 항목을 조직에 저장하도록 사용자에게 요청합니다." }, "personalOwnershipExemption": { "message": "조직 소유자와 관리자는 이 정책을 적용받지 않습니다." }, "personalOwnershipSubmitError": { "message": "엔터프라이즈 정책으로 인해 개인 보관함에 항목을 저장할 수 없습니다. 조직에서 소유권 설정을 변경한 다음, 사용 가능한 컬렉션 중에서 선택해주세요." }, "disableSend": { "message": "Send 비활성화" }, "disableSendPolicyDesc": { "message": "사용자가 Bitwarden Send를 생성하거나 수정할 수 없게 합니다. 이미 생성된 Send를 삭제하는 것은 계속 허용됩니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disableSendExemption": { "message": "조직의 정책을 관리할 수 있는 사용자는 이 정책의 영향을 받지 않습니다." }, "sendDisabled": { "message": "Send 비활성화됨", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendDisabledWarning": { "message": "엔터프라이즈 정책으로 인해 이미 생성된 Send를 삭제하는 것만 허용됩니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptions": { "message": "Send 설정", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyDesc": { "message": "Send를 생성하거나 수정하는 것과 관련된 옵션을 설정합니다.", "description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsExemption": { "message": "조직의 정책을 관리할 수 있는 사용자는 이 정책의 영향을 받지 않습니다." }, "disableHideEmail": { "message": "사용자가 Send를 생성하거나 수정할 때 받는 사람으로부터 자신의 이메일 주소를 숨기지 못하게 합니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyInEffect": { "message": "다음 단체 정책이 현재 영향을 미치고 있습니다:" }, "sendDisableHideEmailInEffect": { "message": "사용자는 Send를 생성하거나 수정할 때 받는 사람으로부터 자신의 이메일 주소를 숨기지 못하게 됩니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "modifiedPolicyId": { "message": "$ID$ 정책을 편집했습니다.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "planPrice": { "message": "요금제 가격" }, "estimatedTax": { "message": "예상 세금" }, "custom": { "message": "사용자 지정" }, "customDesc": { "message": "고급 설정을 위해 더욱 세분화된 사용자 권한 설정을 활성화합니다." }, "permissions": { "message": "권한" }, "accessEventLogs": { "message": "이벤트 로그 접근" }, "accessImportExport": { "message": "가져오기/내보내기 접근" }, "accessReports": { "message": "보고서 접근" }, "missingPermissions": { "message": "You lack the necessary permissions to perform this action." }, "manageAllCollections": { "message": "모든 컬렉션 관리" }, "createNewCollections": { "message": "새 컬렉션 만들기" }, "editAnyCollection": { "message": "아무 컬렉션 편집" }, "deleteAnyCollection": { "message": "아무 컬렉션 삭제" }, "manageAssignedCollections": { "message": "할당된 컬렉션 관리" }, "editAssignedCollections": { "message": "할당된 컬렉션 수정" }, "deleteAssignedCollections": { "message": "할당된 컬렉션 삭제" }, "manageGroups": { "message": "그룹 관리" }, "managePolicies": { "message": "정책 관리" }, "manageSso": { "message": "SSO 관리" }, "manageUsers": { "message": "사용자 관리" }, "manageResetPassword": { "message": "비밀번호 초기화 관리" }, "disableRequiredError": { "message": "You must manually disable the $POLICYNAME$ policy before this policy can be disabled.", "placeholders": { "policyName": { "content": "$1", "example": "Single Sign-On Authentication" } } }, "personalOwnershipPolicyInEffect": { "message": "조직의 정책이 소유권 설정에 영향을 미치고 있습니다." }, "personalOwnershipPolicyInEffectImports": { "message": "An organization policy has disabled importing items into your personal vault." }, "personalOwnershipCheckboxDesc": { "message": "조직 사용자의 개인 소유권 비활성화" }, "textHiddenByDefault": { "message": "Send에 접근할 때 기본적으로 텍스트를 숨김", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNameDesc": { "message": "이 Send의 이름", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendTextDesc": { "message": "전송하려는 텍스트" }, "sendFileDesc": { "message": "전송하려는 파일" }, "copySendLinkOnSave": { "message": "저장할 때 이 Send를 공유하기 위한 링크를 클립보드에 복사합니다." }, "sendLinkLabel": { "message": "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": "Bitwarden Send는 민감하고 일시적인 정보를 다른 사람들에게 쉽고 안전하게 보낼 수 있게 해줍니다.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendAccessTaglineLearnMore": { "message": "오늘", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more about** Bitwarden Send or sign up to try it today.'" }, "sendVaultCardProductDesc": { "message": "다른 사람에게 텍스트 또는 파일을 공유하세요." }, "sendVaultCardLearnMore": { "message": "자세히 알아보고", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more**, see how it works, or try it now. '" }, "sendVaultCardSee": { "message": "어떻게", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, **see** how it works, or try it now.'" }, "sendVaultCardHowItWorks": { "message": "작동하는지 확인하거나", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see **how it works**, or try it now.'" }, "sendVaultCardOr": { "message": "지금", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, **or** try it now.'" }, "sendVaultCardTryItNow": { "message": "체험해보세요", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more, see how it works, or **try it now**.'" }, "sendAccessTaglineOr": { "message": "에 대해서 알아보거나", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send **or** sign up to try it today.'" }, "sendAccessTaglineSignUp": { "message": "가입을", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or **sign up** to try it today.'" }, "sendAccessTaglineTryToday": { "message": "해서 체험해보세요.", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Learn more about Bitwarden Send or sign up to **try it today.**'" }, "sendCreatorIdentifier": { "message": "Bitwarden의 $USER_IDENTIFIER$ 사용자가 다음 내용을 당신과 공유했습니다", "placeholders": { "user_identifier": { "content": "$1", "example": "An email address" } } }, "viewSendHiddenEmailWarning": { "message": "이 Send를 생성한 Bitwarden 사용자가 자신의 이메일 주소를 숨겼습니다. 이 링크에 접속하거나 내용을 다운로드하기 전에, 이 링크의 출처를 신뢰하는지 확인하십시오.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDateIsInvalid": { "message": "제공된 만료 날짜가 유효하지 않습니다." }, "deletionDateIsInvalid": { "message": "제공된 삭제 날짜가 유효하지 않습니다." }, "expirationDateAndTimeRequired": { "message": "만료 날짜와 시간은 반드시 입력해야 합니다." }, "deletionDateAndTimeRequired": { "message": "삭제 날짜와 시간은 반드시 입력해야 합니다." }, "dateParsingError": { "message": "삭제 날짜와 만료 날짜를 저장하는 도중 오류가 발생했습니다." }, "webAuthnFallbackMsg": { "message": "2단계 인증을 확인하려면 아래의 버튼을 클릭하십시오." }, "webAuthnAuthenticate": { "message": "WebAuthn 인증" }, "webAuthnNotSupported": { "message": "이 브라우저에서는 WebAuthn이 지원되지 않습니다." }, "webAuthnSuccess": { "message": "<strong>WebAuthn 인증을 성공적으로 완료했습니다!</strong><br>이제 이 탭을 닫아도 좋습니다." }, "hintEqualsPassword": { "message": "비밀번호 힌트는 비밀번호와 같을 수 없습니다." }, "enrollPasswordReset": { "message": "비밀번호 초기화에 등록" }, "enrolledPasswordReset": { "message": "비밀번호 초기화에 등록됨" }, "withdrawPasswordReset": { "message": "비밀번호 초기화에서 등록 해제" }, "enrollPasswordResetSuccess": { "message": "성공적으로 등록됨!" }, "withdrawPasswordResetSuccess": { "message": "성공적으로 등록 해제됨!" }, "eventEnrollPasswordReset": { "message": "$ID$ 사용자가 비밀번호 초기화 지원에 등록되었습니다.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventWithdrawPasswordReset": { "message": "$ID$ 사용자가 비밀번호 초기화 지원에서 등록 해제되었습니다.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventAdminPasswordReset": { "message": "$ID$ 사용자의 마스터 비밀번호를 재설정합니다.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventResetSsoLink": { "message": "사용자 $ID$ SSO 링크 초기화", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "firstSsoLogin": { "message": "$ID$ logged in using Sso for the first time", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "resetPassword": { "message": "비밀번호 재설정" }, "resetPasswordLoggedOutWarning": { "message": "계속 진행하면 $NAME$이 로그아웃되므로 다시 로그인해야 합니다. 다른 기기에서 접속 중인 세션은 1시간 동안 접속이 가능합니다.", "placeholders": { "name": { "content": "$1", "example": "John Smith" } } }, "thisUser": { "message": "이 사용자" }, "resetPasswordMasterPasswordPolicyInEffect": { "message": "하나 이상의 단체 정책이 마스터 비밀번호가 다음 사항을 따르도록 요구합니다:" }, "resetPasswordSuccess": { "message": "비밀번호 재설정 성공!" }, "resetPasswordEnrollmentWarning": { "message": "등록하면 조직 관리자가 마스터 비밀번호를 변경할 수 있습니다. 등록하시겠습니까?" }, "resetPasswordPolicy": { "message": "마스터 비밀번호 재설정" }, "resetPasswordPolicyDescription": { "message": "조직 관리자가 조직 사용자의 마스터 비밀번호를 재설정할 수 있도록 허용합니다." }, "resetPasswordPolicyWarning": { "message": "조직의 사용자는 관리자가 마스터 암호를 재설정하기 전에 직접 등록 또는 자동 등록이 되어야 합니다." }, "resetPasswordPolicyAutoEnroll": { "message": "자동 등록" }, "resetPasswordPolicyAutoEnrollDescription": { "message": "초대가 수락되면 모든 사용자는 자동으로 비밀번호 재설정에 등록됩니다." }, "resetPasswordPolicyAutoEnrollWarning": { "message": "조직에 이미 있는 사용자는 비밀번호 재설정에 등록되지 않습니다. 관리자가 마스터 암호를 재설정하려면 먼저 직접 등록해야 합니다." }, "resetPasswordPolicyAutoEnrollCheckbox": { "message": "자동으로 새로운 사용자 등록" }, "resetPasswordAutoEnrollInviteWarning": { "message": "이 조직에는 자동으로 비밀번호 재설정에 등록하는 기업 정책이 있습니다. 등록하면 조직 관리자가 마스터 암호를 변경할 수 있습니다." }, "resetPasswordOrgKeysError": { "message": "조직 키 반응 없음" }, "resetPasswordDetailsError": { "message": "비밀번호 재성정 정보 반응 없음" }, "trashCleanupWarning": { "message": "휴지통으로 이동된 암호는 30일 이후 자동으로 삭제됩니다." }, "trashCleanupWarningSelfHosted": { "message": "휴지통으로 이동된 암호는 일정 기간 이후 자동으로 삭제됩니다." }, "passwordPrompt": { "message": "마스터 비밀번호 재확인" }, "passwordConfirmation": { "message": "마스터 비밀번호 확인" }, "passwordConfirmationDesc": { "message": "이 작업은 보호되어 있습니다. 계속하려면 마스터 비밀번호를 입력하여 신원을 인증하세요." }, "reinviteSelected": { "message": "초대장 다시 보내기" }, "noSelectedUsersApplicable": { "message": "이 작업은 선택한 사용자에게 적용할 수 없습니다." }, "removeUsersWarning": { "message": "정말로 다음 사용자를 삭제하시겠어요? 프로세스를 완료하는 데에는 몇 초 정도가 걸릴 수 있으며 도중에 중단하거나 취소할 수 없습니다." }, "theme": { "message": "테마" }, "themeDesc": { "message": "보관함에 사용할 테마를 선택하십시오." }, "themeSystem": { "message": "시스템 테마 사용하기" }, "themeDark": { "message": "어두운 테마" }, "themeLight": { "message": "밝은 테마" }, "confirmSelected": { "message": "선택 항목 확인" }, "bulkConfirmStatus": { "message": "일괄 작업 상태" }, "bulkConfirmMessage": { "message": "성공적으로 확인되었습니다." }, "bulkReinviteMessage": { "message": "성공적으로 재초대되었습니다." }, "bulkRemovedMessage": { "message": "성공적으로 제거됨" }, "bulkFilteredMessage": { "message": "제외되었습니다. 이 작업에는 적용되지 않습니다." }, "fingerprint": { "message": "지문" }, "removeUsers": { "message": "사용자 삭제" }, "error": { "message": "오류" }, "resetPasswordManageUsers": { "message": "비밀번호 재설정 관리 권한으로 사용자 관리도 활성화해야 합니다" }, "setupProvider": { "message": "공급자 설정" }, "setupProviderLoginDesc": { "message": "You've been invited to setup a new provider. To continue, you need to log in or create a new Bitwarden account." }, "setupProviderDesc": { "message": "Please enter the details below to complete the provider setup. Contact Customer Support if you have any questions." }, "providerName": { "message": "공급자 이름" }, "providerSetup": { "message": "The provider has been set up." }, "clients": { "message": "클라이언트" }, "providerAdmin": { "message": "공급자 관리자" }, "providerAdminDesc": { "message": "The highest access user that can manage all aspects of your provider as well as access and manage client organizations." }, "serviceUser": { "message": "서비스 사용자" }, "serviceUserDesc": { "message": "Service users can access and manage all client organizations." }, "providerInviteUserDesc": { "message": "Invite a new user to your provider by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account." }, "joinProvider": { "message": "공급자 참가" }, "joinProviderDesc": { "message": "You've been invited to join the provider listed above. To accept the invitation, you need to log in or create a new Bitwarden account." }, "providerInviteAcceptFailed": { "message": "Unable to accept invitation. Ask a provider admin to send a new invitation." }, "providerInviteAcceptedDesc": { "message": "You can access this provider once an administrator confirms your membership. We'll send you an email when that happens." }, "providerUsersNeedConfirmed": { "message": "You have users that have accepted their invitation, but still need to be confirmed. Users will not have access to the provider until they are confirmed." }, "provider": { "message": "공급자" }, "newClientOrganization": { "message": "새 클라이언트 조직" }, "newClientOrganizationDesc": { "message": "Create a new client organization that will be associated with you as the provider. You will be able to access and manage this organization." }, "addExistingOrganization": { "message": "이미 있는 조직 추가" }, "myProvider": { "message": "내 공급자" }, "addOrganizationConfirmation": { "message": "Are you sure you want to add $ORGANIZATION$ as a client to $PROVIDER$?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" }, "provider": { "content": "$2", "example": "My Provider Name" } } }, "organizationJoinedProvider": { "message": "Organization was successfully added to the provider" }, "accessingUsingProvider": { "message": "Accessing organization using provider $PROVIDER$", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "providerIsDisabled": { "message": "공급자가 비활성화되었습니다." }, "providerUpdated": { "message": "공급자 업데이트됨" }, "yourProviderIs": { "message": "Your provider is $PROVIDER$. They have administrative and billing privileges for your organization.", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "detachedOrganization": { "message": "The organization $ORGANIZATION$ has been detached from your provider.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "detachOrganizationConfirmation": { "message": "Are you sure you want to detach this organization? The organization will continue to exist but will no longer be managed by the provider." }, "add": { "message": "추가" }, "updatedMasterPassword": { "message": "마스터 비밀번호 변경됨" }, "updateMasterPassword": { "message": "마스터 비밀번호 변경" }, "updateMasterPasswordWarning": { "message": "Your Master Password was recently changed by an administrator in your organization. In order to access the vault, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour." }, "masterPasswordInvalidWarning": { "message": "Your Master Password does not meet the policy requirements of this organization. In order to join the organization, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour." }, "maximumVaultTimeout": { "message": "보관함 시간 제한" }, "maximumVaultTimeoutDesc": { "message": "Configure a maximum vault timeout for all users." }, "maximumVaultTimeoutLabel": { "message": "최대 보관함 시간 제한" }, "invalidMaximumVaultTimeout": { "message": "Invalid Maximum Vault Timeout." }, "hours": { "message": "시" }, "minutes": { "message": "분" }, "vaultTimeoutPolicyInEffect": { "message": "Your organization policies are affecting your vault timeout. Maximum allowed Vault Timeout is $HOURS$ hour(s) and $MINUTES$ minute(s)", "placeholders": { "hours": { "content": "$1", "example": "5" }, "minutes": { "content": "$2", "example": "5" } } }, "customVaultTimeout": { "message": "사용자 지정 보관함 시간 제한" }, "vaultTimeoutToLarge": { "message": "Your vault timeout exceeds the restriction set by your organization." }, "disablePersonalVaultExport": { "message": "개인 보관함 내보내기 비활성화" }, "disablePersonalVaultExportDesc": { "message": "Prohibits users from exporting their private vault data." }, "vaultExportDisabled": { "message": "보관함 내보내기 비활성화됨" }, "personalVaultExportPolicyInEffect": { "message": "One or more organization policies prevents you from exporting your personal vault." }, "selectType": { "message": "SSO 유형 선택" }, "type": { "message": "유형" }, "openIdConnectConfig": { "message": "OpenID 연결 설정" }, "samlSpConfig": { "message": "SAML Service Provider Configuration" }, "samlIdpConfig": { "message": "SAML Identity Provider Configuration" }, "callbackPath": { "message": "콜백 경로" }, "signedOutCallbackPath": { "message": "로그아웃 콜백 경로" }, "authority": { "message": "기관" }, "clientId": { "message": "클라이언트 ID" }, "clientSecret": { "message": "클라이언트 비밀" }, "metadataAddress": { "message": "메타데이터 액세스" }, "oidcRedirectBehavior": { "message": "OIDC 리다이렉트 동작" }, "getClaimsFromUserInfoEndpoint": { "message": "Get claims from user info endpoint" }, "additionalScopes": { "message": "Custom Scopes" }, "additionalUserIdClaimTypes": { "message": "추가/사용자 지정 사용자 ID 클레임 유형 (쉼표로 구분됨)" }, "additionalEmailClaimTypes": { "message": "추가/사용자 지정 이메일 클레임 유형 (쉼표로 구분됨)" }, "additionalNameClaimTypes": { "message": "Custom Name Claim Types" }, "acrValues": { "message": "Requested Authentication Context Class Reference values" }, "expectedReturnAcrValue": { "message": "Expected \"acr\" Claim Value In Response" }, "spEntityId": { "message": "SP 엔티티 ID" }, "spMetadataUrl": { "message": "SAML 2.0 메타데이터 URL" }, "spAcsUrl": { "message": "Assertion Consumer Service (ACS) URL" }, "spNameIdFormat": { "message": "이름 ID 형식" }, "spOutboundSigningAlgorithm": { "message": "아웃바운드 서명 알고리즘" }, "spSigningBehavior": { "message": "로그인 동작" }, "spMinIncomingSigningAlgorithm": { "message": "Minimum Incoming Signing Algorithm" }, "spWantAssertionsSigned": { "message": "어써션 서명 필요" }, "spValidateCertificates": { "message": "인증서 확인" }, "idpEntityId": { "message": "엔티티 ID" }, "idpBindingType": { "message": "바인딩 유형" }, "idpSingleSignOnServiceUrl": { "message": "SSO 서비스 URL" }, "idpSingleLogoutServiceUrl": { "message": "SLO 서비스 URL" }, "idpX509PublicCert": { "message": "X509 공개 인증서" }, "idpOutboundSigningAlgorithm": { "message": "아웃바운드 서명 알고리즘" }, "idpAllowUnsolicitedAuthnResponse": { "message": "Allow unsolicited authentication response" }, "idpAllowOutboundLogoutRequests": { "message": "Allow outbound logout requests" }, "idpSignAuthenticationRequests": { "message": "Sign authentication requests" }, "ssoSettingsSaved": { "message": "Single Sign-On configuration was saved." }, "sponsoredFamilies": { "message": "Free Bitwarden Families" }, "sponsoredFamiliesEligible": { "message": "You and your family are eligible for Free Bitwarden Families. Redeem with your personal email to keep your data secure even when you are not at work." }, "sponsoredFamiliesEligibleCard": { "message": "Redeem your Free Bitwarden for Families plan today to keep your data secure even when you are not at work." }, "sponsoredFamiliesInclude": { "message": "The Bitwarden for Families plan include" }, "sponsoredFamiliesPremiumAccess": { "message": "Premium access for up to 6 users" }, "sponsoredFamiliesSharedCollections": { "message": "Shared collections for Family secrets" }, "badToken": { "message": "The link is no longer valid. Please have the sponsor resend the offer." }, "reclaimedFreePlan": { "message": "Reclaimed free plan" }, "redeem": { "message": "Redeem" }, "sponsoredFamiliesSelectOffer": { "message": "Select the organization you would like sponsored" }, "familiesSponsoringOrgSelect": { "message": "Which Free Families offer would you like to redeem?" }, "sponsoredFamiliesEmail": { "message": "Enter your personal email to redeem Bitwarden Families" }, "sponsoredFamiliesLeaveCopy": { "message": "If you leave or are removed from the sponsoring organization, your Families plan will expire at the end of the billing period." }, "acceptBitwardenFamiliesHelp": { "message": "Accept offer for an existing organization or create a new Families organization." }, "setupSponsoredFamiliesLoginDesc": { "message": "You've been offered a free Bitwarden Families Plan Organization. To continue, you need to log in to the account that received the offer." }, "sponsoredFamiliesAcceptFailed": { "message": "Unable to accept offer. Please resend the offer email from your enterprise account and try again." }, "sponsoredFamiliesAcceptFailedShort": { "message": "Unable to accept offer. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must have at least one existing Families Organization." } } }, "sponsoredFamiliesOffer": { "message": "Accept Free Bitwarden Families" }, "sponsoredFamiliesOfferRedeemed": { "message": "Free Bitwarden Families offer successfully redeemed" }, "redeemed": { "message": "Redeemed" }, "redeemedAccount": { "message": "Redeemed Account" }, "revokeAccount": { "message": "Revoke account $NAME$", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "resendEmailLabel": { "message": "Resend Sponsorship email to $NAME$ sponsorship", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "freeFamiliesPlan": { "message": "Free Families Plan" }, "redeemNow": { "message": "Redeem Now" }, "recipient": { "message": "Recipient" }, "removeSponsorship": { "message": "Remove Sponsorship" }, "removeSponsorshipConfirmation": { "message": "After removing a sponsorship, you will be responsible for this subscription and related invoices. Are you sure you want to continue?" }, "sponsorshipCreated": { "message": "Sponsorship Created" }, "revoke": { "message": "Revoke" }, "emailSent": { "message": "Email Sent" }, "revokeSponsorshipConfirmation": { "message": "After removing this account, the Families organization owner will be responsible for this subscription and related invoices. Are you sure you want to continue?" }, "removeSponsorshipSuccess": { "message": "Sponsorship Removed" }, "ssoKeyConnectorUnavailable": { "message": "Unable to reach the Key Connector, try again later." }, "keyConnectorUrl": { "message": "키 커넥터 URL" }, "sendVerificationCode": { "message": "Send a verification code to your email" }, "sendCode": { "message": "코드 전송" }, "codeSent": { "message": "코드 전송됨" }, "verificationCode": { "message": "인증 코드" }, "confirmIdentity": { "message": "Confirm your identity to continue." }, "verificationCodeRequired": { "message": "인증 코드는 반드시 입력해야 합니다." }, "invalidVerificationCode": { "message": "유효하지 않은 확인 코드" }, "convertOrganizationEncryptionDesc": { "message": "$ORGANIZATION$ is using SSO with a self-hosted key server. A master password is no longer required to log in for members of this organization.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "leaveOrganization": { "message": "조직 나가기" }, "removeMasterPassword": { "message": "마스터 비밀번호 제거" }, "removedMasterPassword": { "message": "마스터 비밀번호가 제거되었습니다." }, "allowSso": { "message": "SSO 인증 허용" }, "allowSsoDesc": { "message": "Once set up, your configuration will be saved and members will be able to authenticate using their Identity Provider credentials." }, "ssoPolicyHelpStart": { "message": "활성화:", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpLink": { "message": "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": "to require all members to log in with SSO.", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpKeyConnector": { "message": "SSO Authentication and Single Organization policies are required to set up Key Connector decryption." }, "memberDecryptionOption": { "message": "멤버 복호화 옵션" }, "memberDecryptionPassDesc": { "message": "Once authenticated, members will decrypt vault data using their Master Passwords." }, "keyConnector": { "message": "키 커넥터" }, "memberDecryptionKeyConnectorDesc": { "message": "Connect Login with SSO to your self-hosted decryption key server. Using this option, members won’t need to use their Master Passwords to decrypt vault data. Contact Bitwarden Support for set up assistance." }, "keyConnectorPolicyRestriction": { "message": "\"Login with SSO and Key Connector Decryption\" is enabled. This policy will only apply to Owners and Admins." }, "enabledSso": { "message": "SSO 활성화됨" }, "disabledSso": { "message": "SSO 비활성화됨" }, "enabledKeyConnector": { "message": "키 커넥터 활성화됨" }, "disabledKeyConnector": { "message": "키 커넥터 비활성화됨" }, "keyConnectorWarning": { "message": "Once members begin using Key Connector, your Organization cannot revert to Master Password decryption. Proceed only if you are comfortable deploying and managing a key server." }, "migratedKeyConnector": { "message": "키 커넥터로 마이그레이션됨" }, "paymentSponsored": { "message": "Please provide a payment method to associate with the organization. Don't worry, we won't charge you anything unless you select additional features or your sponsorship expires. " }, "orgCreatedSponsorshipInvalid": { "message": "The sponsorship offer has expired. You may delete the organization you created to avoid a charge at the end of your 7 day trial. Otherwise you may close this prompt to keep the organization and assume billing responsibility." }, "newFamiliesOrganization": { "message": "New Families Organization" }, "acceptOffer": { "message": "Accept Offer" }, "sponsoringOrg": { "message": "Sponsoring Organization" }, "keyConnectorTest": { "message": "테스트" }, "keyConnectorTestSuccess": { "message": "Success! Key Connector reached." }, "keyConnectorTestFail": { "message": "Cannot reach Key Connector. Check URL." }, "sponsorshipTokenHasExpired": { "message": "The sponsorship offer has expired." }, "freeWithSponsorship": { "message": "FREE with sponsorship" }, "formErrorSummaryPlural": { "message": "$COUNT$ fields above need your attention.", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "formErrorSummarySingle": { "message": "1 field above needs your attention." }, "fieldRequiredError": { "message": "$FIELDNAME$ is required.", "placeholders": { "fieldname": { "content": "$1", "example": "Full name" } } }, "required": { "message": "required" }, "idpSingleSignOnServiceUrlRequired": { "message": "Required if Entity ID is not a URL." }, "openIdOptionalCustomizations": { "message": "Optional Customizations" }, "openIdAuthorityRequired": { "message": "Required if Authority is not valid." }, "separateMultipleWithComma": { "message": "Separate multiple with a comma." }, "sessionTimeout": { "message": "Your session has timed out. Please go back and try logging in again." }, "exportingPersonalVaultTitle": { "message": "Exporting Personal Vault" }, "exportingOrganizationVaultTitle": { "message": "Exporting Organization Vault" }, "exportingPersonalVaultDescription": { "message": "Only the personal vault items associated with $EMAIL$ will be exported. Organization vault items will not be included.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" } } }, "exportingOrganizationVaultDescription": { "message": "Only the organization vault associated with $ORGANIZATION$ will be exported. Personal vault items and items from other organizations will not be included.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "backToReports": { "message": "Back to Reports" }, "generator": { "message": "Generator" }, "whatWouldYouLikeToGenerate": { "message": "What would you like to generate?" }, "passwordType": { "message": "Password Type" }, "regenerateUsername": { "message": "Regenerate Username" }, "generateUsername": { "message": "Generate Username" }, "usernameType": { "message": "Username Type" }, "plusAddressedEmail": { "message": "Plus Addressed Email", "description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com" }, "plusAddressedEmailDesc": { "message": "Use your email provider's sub-addressing capabilities." }, "catchallEmail": { "message": "Catch-all Email" }, "catchallEmailDesc": { "message": "Use your domain's configured catch-all inbox." }, "random": { "message": "Random" }, "randomWord": { "message": "Random Word" }, "service": { "message": "Service" } }
bitwarden/web/src/locales/ko/messages.json/0
{ "file_path": "bitwarden/web/src/locales/ko/messages.json", "repo_id": "bitwarden", "token_count": 87719 }
157
{ "pageTitle": { "message": "$APP_NAME$ web kasası", "description": "The title of the website in the browser window.", "placeholders": { "app_name": { "content": "$1", "example": "Bitwarden" } } }, "whatTypeOfItem": { "message": "Bu kaydın türü nedir?" }, "name": { "message": "Ad" }, "uri": { "message": "URl" }, "uriPosition": { "message": "URL $POSITION$", "description": "A listing of URIs. Ex: URI 1, URI 2, URI 3, etc.", "placeholders": { "position": { "content": "$1", "example": "2" } } }, "newUri": { "message": "Yeni URI" }, "username": { "message": "Kullanıcı adı" }, "password": { "message": "Parola" }, "newPassword": { "message": "Yeni parola" }, "passphrase": { "message": "Uzun söz" }, "notes": { "message": "Notlar" }, "customFields": { "message": "Özel alanlar" }, "cardholderName": { "message": "Kart sahibinin adı" }, "number": { "message": "Numara" }, "brand": { "message": "Marka" }, "expiration": { "message": "Son kullanma tarihi" }, "securityCode": { "message": "Güvenlik kodu (CVV)" }, "identityName": { "message": "Kimlik adı" }, "company": { "message": "Şirket" }, "ssn": { "message": "Sosyal güvenlik numarası" }, "passportNumber": { "message": "Pasaport numarası" }, "licenseNumber": { "message": "Ehliyet numarası" }, "email": { "message": "E-posta" }, "phone": { "message": "Telefon" }, "january": { "message": "Ocak" }, "february": { "message": "Şubat" }, "march": { "message": "Mart" }, "april": { "message": "Nisan" }, "may": { "message": "Mayıs" }, "june": { "message": "Haziran" }, "july": { "message": "Temmuz" }, "august": { "message": "Ağustos" }, "september": { "message": "Eylül" }, "october": { "message": "Ekim" }, "november": { "message": "Kasım" }, "december": { "message": "Aralık" }, "title": { "message": "Unvan" }, "mr": { "message": "Bay" }, "mrs": { "message": "Mrs" }, "ms": { "message": "Ms" }, "dr": { "message": "Dr" }, "expirationMonth": { "message": "Son Kullanma Ayı" }, "expirationYear": { "message": "Son Kullanma Yılı" }, "authenticatorKeyTotp": { "message": "Kimlik doğrulama anahtarı (TOTP)" }, "folder": { "message": "Klasör" }, "newCustomField": { "message": "Yeni Özel Alan" }, "value": { "message": "Değer" }, "dragToSort": { "message": "Sıralamak için sürükleyin" }, "cfTypeText": { "message": "Metin" }, "cfTypeHidden": { "message": "Gizli" }, "cfTypeBoolean": { "message": "Boolean" }, "cfTypeLinked": { "message": "Bağlantılı", "description": "This describes a field that is 'linked' (related) to another field." }, "remove": { "message": "Kaldır" }, "unassigned": { "message": "Atanmamış" }, "noneFolder": { "message": "Klasör yok", "description": "This is the folder for uncategorized items" }, "addFolder": { "message": "Klasör ekle" }, "editFolder": { "message": "Klasörü düzenle" }, "baseDomain": { "message": "Ana alan adı", "description": "Domain name. Ex. website.com" }, "domainName": { "message": "Alan adı", "description": "Domain name. Ex. website.com" }, "host": { "message": "Sunucu", "description": "A URL's host value. For example, the host of https://sub.domain.com:443 is 'sub.domain.com:443'." }, "exact": { "message": "Tam" }, "startsWith": { "message": "URI başlangıcı" }, "regEx": { "message": "Düzenli ifade", "description": "A programming term, also known as 'RegEx'." }, "matchDetection": { "message": "Eşleşme tespiti", "description": "URI match detection for auto-fill." }, "defaultMatchDetection": { "message": "Varsayılan eşleşme tespiti", "description": "Default URI match detection for auto-fill." }, "never": { "message": "Asla" }, "toggleVisibility": { "message": "Görünürlüğü aç/kapat" }, "toggleCollapse": { "message": "Daraltmayı aç/kapat", "description": "Toggling an expand/collapse state." }, "generatePassword": { "message": "Parola oluştur" }, "checkPassword": { "message": "Parolanız ele geçirilip geçirilmediğini kontrol edin." }, "passwordExposed": { "message": "Bu parola, veri ihlallerinde $VALUE$ kere açığa çıkmış. Değiştirmenizi tavsiye ederiz.", "placeholders": { "value": { "content": "$1", "example": "2" } } }, "passwordSafe": { "message": "Bilinen veri ihlallerinde bu parola bulunamadı. Güvenle kullanabilirsiniz." }, "save": { "message": "Kaydet" }, "cancel": { "message": "İptal" }, "canceled": { "message": "İptal edildi" }, "close": { "message": "Kapat" }, "delete": { "message": "Sil" }, "favorite": { "message": "Favori" }, "unfavorite": { "message": "Favorilerden çıkar" }, "edit": { "message": "Düzenle" }, "searchCollection": { "message": "Koleksiyonda ara" }, "searchFolder": { "message": "Klasörde ara" }, "searchFavorites": { "message": "Favorilerde ara" }, "searchType": { "message": "Arama türü", "description": "Search item type" }, "searchVault": { "message": "Kasada ara" }, "allItems": { "message": "Tüm kayıtlar" }, "favorites": { "message": "Favoriler" }, "types": { "message": "Türler" }, "typeLogin": { "message": "Hesap" }, "typeCard": { "message": "Kart" }, "typeIdentity": { "message": "Kimlik" }, "typeSecureNote": { "message": "Güvenli not" }, "typeLoginPlural": { "message": "Hesaplar" }, "typeCardPlural": { "message": "Kartlar" }, "typeIdentityPlural": { "message": "Kimlikler" }, "typeSecureNotePlural": { "message": "Güvenli Notlar" }, "folders": { "message": "Klasörler" }, "collections": { "message": "Koleksiyonlar" }, "firstName": { "message": "Ad" }, "middleName": { "message": "İkinci ad" }, "lastName": { "message": "Soyadı" }, "fullName": { "message": "Ad, Soyad" }, "address1": { "message": "Adres 1" }, "address2": { "message": "Adres 2" }, "address3": { "message": "Adres 3" }, "cityTown": { "message": "İlçe" }, "stateProvince": { "message": "İl / eyalet" }, "zipPostalCode": { "message": "Posta kodu" }, "country": { "message": "Ülke" }, "shared": { "message": "Paylaşılan" }, "attachments": { "message": "Ekler" }, "select": { "message": "Seç" }, "addItem": { "message": "Kayıt ekle" }, "editItem": { "message": "Kaydı düzenle" }, "viewItem": { "message": "Kaydı göster" }, "ex": { "message": "örn.", "description": "Short abbreviation for 'example'." }, "other": { "message": "Diğer" }, "share": { "message": "Paylaş" }, "moveToOrganization": { "message": "Kuruluşa taşı" }, "valueCopied": { "message": "$VALUE$ kopyalandı", "description": "Value has been copied to the clipboard.", "placeholders": { "value": { "content": "$1", "example": "Password" } } }, "copyValue": { "message": "Değeri kopyala", "description": "Copy value to clipboard" }, "copyPassword": { "message": "Parolayı kopyala", "description": "Copy password to clipboard" }, "copyUsername": { "message": "Kullanıcı adını kopyala", "description": "Copy username to clipboard" }, "copyNumber": { "message": "Numarayı kopyala", "description": "Copy credit card number" }, "copySecurityCode": { "message": "Güvenlik kodunu kopyala", "description": "Copy credit card security code (CVV)" }, "copyUri": { "message": "URI'yi kopyala", "description": "Copy URI to clipboard" }, "myVault": { "message": "Kasam" }, "vault": { "message": "Kasa" }, "moveSelectedToOrg": { "message": "Seçilenleri kuruluşa taşı" }, "deleteSelected": { "message": "Seçilenleri sil" }, "moveSelected": { "message": "Seçilenleri taşı" }, "selectAll": { "message": "Tümünü seç" }, "unselectAll": { "message": "Seçimi iptal et" }, "launch": { "message": "Aç" }, "newAttachment": { "message": "Yeni dosya ekle" }, "deletedAttachment": { "message": "Dosya silindi" }, "deleteAttachmentConfirmation": { "message": "Bu dosyayı silmek istediğinizden emin misiniz?" }, "attachmentSaved": { "message": "Dosya kaydedildi." }, "file": { "message": "Dosya" }, "selectFile": { "message": "Bir dosya seçin." }, "maxFileSize": { "message": "Maksimum dosya boyutu 500 MB'dir." }, "updateKey": { "message": "Şifreleme anahtarınızı güncellemeden bu özelliği kullanamazsınız." }, "addedItem": { "message": "Kayıt eklendi" }, "editedItem": { "message": "Kayıt düzenlendi" }, "movedItemToOrg": { "message": "$ITEMNAME$ $ORGNAME$ kuruluşuna taşındı", "placeholders": { "itemname": { "content": "$1", "example": "Secret Item" }, "orgname": { "content": "$2", "example": "Company Name" } } }, "movedItemsToOrg": { "message": "Seçilen kayıtlar $ORGNAME$ kuruluşuna taşındı", "placeholders": { "orgname": { "content": "$1", "example": "Company Name" } } }, "deleteItem": { "message": "Kaydı sil" }, "deleteFolder": { "message": "Klasörü sil" }, "deleteAttachment": { "message": "Dosyayı sil" }, "deleteItemConfirmation": { "message": "Çöp kutusuna göndermek istediğinizden emin misiniz?" }, "deletedItem": { "message": "Kayıt çöp kutusuna gönderildi" }, "deletedItems": { "message": "Kayıtlar çöp kutusuna gönderildi" }, "movedItems": { "message": "Kayıtlar taşındı" }, "overwritePasswordConfirmation": { "message": "Mevcut parolanın üzerine kaydetmek istediğinizden emin misiniz?" }, "editedFolder": { "message": "Klasör düzenlendi" }, "addedFolder": { "message": "Klasör eklendi" }, "deleteFolderConfirmation": { "message": "Bu klasörü silmek istediğinizden emin misiniz?" }, "deletedFolder": { "message": "Klasör silindi" }, "loggedOut": { "message": "Çıkış yapıldı" }, "loginExpired": { "message": "Oturumunuz zaman aşımına uğradı." }, "logOutConfirmation": { "message": "Çıkmak istediğinizden emin misiniz?" }, "logOut": { "message": "Çıkış yap" }, "ok": { "message": "Tamam" }, "yes": { "message": "Evet" }, "no": { "message": "Hayır" }, "loginOrCreateNewAccount": { "message": "Güvenli kasanıza ulaşmak için giriş yapın veya yeni bir hesap oluşturun." }, "createAccount": { "message": "Hesap aç" }, "logIn": { "message": "Giriş yap" }, "submit": { "message": "Gönder" }, "emailAddressDesc": { "message": "Giriş yapmak için e-posta adresinizi kullanacaksınız." }, "yourName": { "message": "Adınız" }, "yourNameDesc": { "message": "Size nasıl hitap edelim?" }, "masterPass": { "message": "Ana parola" }, "masterPassDesc": { "message": "Ana parola, kasanıza ulaşmak için kullanacağınız paroladır. Ana parolanızı unutmamanız çok önemlidir. Unutursanız parolalarınızı asla kurtaramazsınız." }, "masterPassHintDesc": { "message": "Ana parolanızı unutursanız bu ipucuna bakınca size ana parolanızı hatırlatacak bir şey yazabilirsiniz." }, "reTypeMasterPass": { "message": "Ana parolayı tekrar yazın" }, "masterPassHint": { "message": "Ana parola ipucu (isteğe bağlı)" }, "masterPassHintLabel": { "message": "Ana parola ipucu" }, "settings": { "message": "Ayarlar" }, "passwordHint": { "message": "Parola ipucu" }, "enterEmailToGetHint": { "message": "Ana parola ipucunu almak için hesabınızın e-posta adresini girin." }, "getMasterPasswordHint": { "message": "Ana parola ipucunu al" }, "emailRequired": { "message": "E-posta adresi gereklidir." }, "invalidEmail": { "message": "Geçersiz e-posta adresi." }, "masterPassRequired": { "message": "Ana parola gerekli." }, "masterPassLength": { "message": "Ana parola en az 8 karakter uzunluğunda olmalıdır." }, "masterPassDoesntMatch": { "message": "Ana parola onayı eşleşmiyor." }, "newAccountCreated": { "message": "Yeni hesabınız oluşturuldu! Şimdi giriş yapabilirsiniz." }, "masterPassSent": { "message": "Size ana parolanızın ipucunu içeren bir e-posta gönderdik." }, "unexpectedError": { "message": "Beklenmedik bir hata oluştu." }, "emailAddress": { "message": "E-posta adresi" }, "yourVaultIsLocked": { "message": "Kasanız kilitli. Devam etmek için ana parolanızı doğrulayın." }, "unlock": { "message": "Kilidi aç" }, "loggedInAsEmailOn": { "message": "$HOSTNAME$ üzerinde $EMAIL$ adresiyle oturum açtınız.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" }, "hostname": { "content": "$2", "example": "bitwarden.com" } } }, "invalidMasterPassword": { "message": "Geçersiz ana parola" }, "lockNow": { "message": "Şimdi kilitle" }, "noItemsInList": { "message": "Listelenecek kayıt yok." }, "noCollectionsInList": { "message": "Listelenecek koleksiyon yok." }, "noGroupsInList": { "message": "Listelenecek grup yok." }, "noUsersInList": { "message": "Listelenecek kullanıcı yok." }, "noEventsInList": { "message": "Listelenecek olay yok." }, "newOrganization": { "message": "Yeni kuruluş" }, "noOrganizationsList": { "message": "Herhangi bir kuruluşa dahil değilsiniz. Kuruluşlar, kayıtlarınızı diğer kullanıcılarla güvenli bir şekilde paylaşmanıza olanak verir." }, "versionNumber": { "message": "Sürüm $VERSION_NUMBER$", "placeholders": { "version_number": { "content": "$1", "example": "1.2.3" } } }, "enterVerificationCodeApp": { "message": "Kimlik doğrulama uygulamanızdaki 6 haneli doğrulama kodunu girin." }, "enterVerificationCodeEmail": { "message": "$EMAIL$ adresine e-postayla gönderdiğimiz 6 haneli doğrulama kodunu girin.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "verificationCodeEmailSent": { "message": "Doğrulama e-postası $EMAIL$ adresine gönderildi.", "placeholders": { "email": { "content": "$1", "example": "example@gmail.com" } } }, "rememberMe": { "message": "Beni hatırla" }, "sendVerificationCodeEmailAgain": { "message": "Doğrulama kodu e-postasını yeniden gönder" }, "useAnotherTwoStepMethod": { "message": "Başka bir iki aşamalı giriş yöntemini kullan" }, "insertYubiKey": { "message": "YubiKey'inizi bilgisayarınızın USB portuna takın, ardından düğmesine dokunun." }, "insertU2f": { "message": "Güvenlik anahtarınızı bilgisayarınızın USB portuna takın. Düğmesi varsa dokunun." }, "loginUnavailable": { "message": "Giriş yapılamıyor" }, "noTwoStepProviders": { "message": "Bu hesapta iki aşamalı giriş özelliği etkin ama yapılandırdığınız iki aşamalı giriş sağlayıcılarının hiçbiri bu tarayıcıyı desteklemiyor." }, "noTwoStepProviders2": { "message": "Lütfen desteklenen bir web tarayıcısı (örn. Chrome) kullanın ve/veya web tarayıcılarında daha iyi desteklenen sağlayıcılar (örn. kimlik doğrulama uygulaması) ekleyin." }, "twoStepOptions": { "message": "İki aşamalı giriş seçenekleri" }, "recoveryCodeDesc": { "message": "İki aşamalı doğrulama sağlayıcılarınıza ulaşamıyor musunuz? Kurtarma kodunuzu kullanarak hesabınızdaki tüm iki aşamalı giriş sağlayıcılarını devre dışı bırakabilirsiniz." }, "recoveryCodeTitle": { "message": "Kurtarma kodu" }, "authenticatorAppTitle": { "message": "Kimlik doğrulama uygulaması" }, "authenticatorAppDesc": { "message": "Zamana dayalı doğrulama kodları oluşturmak için kimlik doğrulama uygulaması (örn. Authy veya Google Authenticator) kullanın.", "description": "'Authy' and 'Google Authenticator' are product names and should not be translated." }, "yubiKeyTitle": { "message": "YubiKey OTP güvenlik anahtarı" }, "yubiKeyDesc": { "message": "Hesabınıza erişmek için YubiKey kullanabilirsiniz. YubiKey 4 serisi, 5 serisi ve NEO cihazlarıyla çalışır." }, "duoDesc": { "message": "Duo Security ile doğrulama için Duo Mobile uygulaması, SMS, telefon araması veya U2F güvenlik anahtarını kullanın.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "duoOrganizationDesc": { "message": "Kuruluşunuzun Duo Security doğrulaması için Duo Mobile uygulaması, SMS, telefon araması veya U2F güvenlik anahtarını kullanın.", "description": "'Duo Security' and 'Duo Mobile' are product names and should not be translated." }, "u2fDesc": { "message": "Hesabınıza erişmek için FIDO U2F uyumlu bir güvenlik anahtarı kullanın." }, "u2fTitle": { "message": "FIDO U2F güvenlik anahtarı" }, "webAuthnTitle": { "message": "FIDO2 WebAuthn" }, "webAuthnDesc": { "message": "Hesabınıza erişmek için WebAuthn uyumlu bir güvenlik anahtarı kullanın." }, "webAuthnMigrated": { "message": "(FIDO'dan taşındı)" }, "emailTitle": { "message": "E-posta" }, "emailDesc": { "message": "Doğrulama kodları e-posta adresinize gönderilecek." }, "continue": { "message": "Devam" }, "organization": { "message": "Kuruluş" }, "organizations": { "message": "Kuruluşlar" }, "moveToOrgDesc": { "message": "Bu kaydı taşımak istediğiniz kuruluşu seçin. Taşıdığınız kaydın sahipliği seçtiğiniz kuruluşa aktarılacak. Artık bu kaydın doğrudan sahibi olmayacaksınız." }, "moveManyToOrgDesc": { "message": "Bu kayıtları taşımak istediğiniz kuruluşu seçin. Taşıdığınız kayıtların sahipliği seçtiğiniz kuruluşa aktarılacak. Artık bu kayıtların doğrudan sahibi olmayacaksınız." }, "collectionsDesc": { "message": "Bu kaydın şu anda paylaşıldığı koleksiyonları düzenler. Kuruluştaki kullanıcılardan yalnızca bu koleksiyonlara erişimi olanlar bu kaydı görebilir." }, "deleteSelectedItemsDesc": { "message": "Silinmek üzere $COUNT$ kayıt seçtiniz. Bu kayıtların hepsini silmek istediğinizden emin misiniz?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsDesc": { "message": "Seçtiğiniz $COUNT$ kaydı taşımak istediğiniz klasörü seçin.", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "moveSelectedItemsCountDesc": { "message": "$COUNT$ kayıt seçtiniz. $MOVEABLE_COUNT$ kayıt bir kuruluşa taşınabilir, $NONMOVEABLE_COUNT$ kayıt taşınamaz.", "placeholders": { "count": { "content": "$1", "example": "10" }, "moveable_count": { "content": "$2", "example": "8" }, "nonmoveable_count": { "content": "$3", "example": "2" } } }, "verificationCodeTotp": { "message": "Doğrulama kodu (TOTP)" }, "copyVerificationCode": { "message": "Doğrulama kodunu kopyala" }, "warning": { "message": "Uyarı" }, "confirmVaultExport": { "message": "Kasayı dışa aktarmayı onaylayın" }, "exportWarningDesc": { "message": "Dışa aktarılan dosyadaki verileriniz şifrelenmemiş olacak. Bu dosyayı güvensiz yöntemlerle (örn. e-posta) göndermemeli ve saklamamalısınız. İşiniz bittikten sonra dosyayı hemen silin." }, "encExportKeyWarningDesc": { "message": "Dışa aktardığınız bu dosyadaki verileriniz, hesabınızın şifreleme anahtarıyla şifrelenir. Hesabınızın şifreleme anahtarını değiştirirseniz bu dosyanın şifresi çözülemez hale gelir, dolayısıyla dosyayı yeniden dışa aktarmanız gerekir." }, "encExportAccountWarningDesc": { "message": "Hesap şifreleme anahtarları her Bitwarden kullanıcı hesabı için farklıdır. Dolayısıyla şifrelenmiş bir dışa aktarmayı başka bir hesapta içe aktaramazsınız." }, "export": { "message": "Dışarı aktar" }, "exportVault": { "message": "Kasayı dışa aktar" }, "fileFormat": { "message": "Dosya biçimi" }, "exportSuccess": { "message": "Kasadaki verileriniz dışa aktarıldı." }, "passwordGenerator": { "message": "Parola oluşturucu" }, "minComplexityScore": { "message": "Minimum karmaşıklık puanı" }, "minNumbers": { "message": "En az rakam" }, "minSpecial": { "message": "En az özel karakter", "description": "Minimum Special Characters" }, "ambiguous": { "message": "Okurken karışabilecek karakterleri kullanma" }, "regeneratePassword": { "message": "Yeni parola oluştur" }, "length": { "message": "Uzunluk" }, "numWords": { "message": "Kelime sayısı" }, "wordSeparator": { "message": "Kelime ayracı" }, "capitalize": { "message": "Baş harfleri büyük yap", "description": "Make the first letter of a work uppercase." }, "includeNumber": { "message": "Rakam ekle" }, "passwordHistory": { "message": "Parola geçmişi" }, "noPasswordsInList": { "message": "Listelenecek parola yok." }, "clear": { "message": "Temizle", "description": "To clear something out. example: To clear browser history." }, "accountUpdated": { "message": "Hesap güncellendi" }, "changeEmail": { "message": "E-postayı değiştir" }, "changeEmailTwoFactorWarning": { "message": "Devam ederseniz hesabınızın e-posta adresi değişecek. İki aşamalı doğrulama için kullandığınız e-posta adresiniz değişmeyecek. Onu iki aşamalı doğrulama ayarlarından değiştirebilirsiniz." }, "newEmail": { "message": "Yeni e-posta" }, "code": { "message": "Kod" }, "changeEmailDesc": { "message": "$EMAIL$ adresine bir doğrulama kodu gönderdik. E-posta adresi değişikliğinizi tamamlamak için lütfen gönderdiğimiz kodu aşağıya yazın.", "placeholders": { "email": { "content": "$1", "example": "john.smith@example.com" } } }, "loggedOutWarning": { "message": "Devam ederseniz geçerli oturumunuz sonlanacak ve yeniden oturum açmanız gerekecek. Diğer cihazlardaki aktif oturumlar bir saate kadar aktif kalabilir." }, "emailChanged": { "message": "E-posta değiştirildi" }, "logBackIn": { "message": "Lütfen yeniden giriş yapın." }, "logBackInOthersToo": { "message": "Lütfen yeniden oturum açın. Diğer Bitwarden uygulamalarını kullanıyorsanız onlarda da oturumunuzu kapatıp yeniden açın." }, "changeMasterPassword": { "message": "Ana parolayı değiştir" }, "masterPasswordChanged": { "message": "Ana parola değiştirildi" }, "currentMasterPass": { "message": "Mevcut ana parola" }, "newMasterPass": { "message": "Yeni ana parola" }, "confirmNewMasterPass": { "message": "Yeni ana parolayı onaylayın" }, "encKeySettings": { "message": "Şifreleme anahtarı ayarları" }, "kdfAlgorithm": { "message": "KDF algoritması" }, "kdfIterations": { "message": "KDF iterasyonu" }, "kdfIterationsDesc": { "message": "KDF iterasyonunun daha yüksek olması ana parolanızın kaba kuvvet yoluyla kırılmasını önleyebilir. $VALUE$ veya üzeri bir değer tavsiye ediyoruz.", "placeholders": { "value": { "content": "$1", "example": "100,000" } } }, "kdfIterationsWarning": { "message": "KDF iterasyonunu çok yüksek ayarlamak, işlemcisi yavaş olan cihazlardan Bitwarden'a giriş yaparken (ve kilidi açarken) düşük performansa neden olabilir. Değeri $INCREMENT$ ve katları halinde artırmanızı ve ardından tüm cihazlarınızda test etmenizi öneririz.", "placeholders": { "increment": { "content": "$1", "example": "50,000" } } }, "changeKdf": { "message": "KDF'i değiştir" }, "encKeySettingsChanged": { "message": "Şifreleme anahtarı ayarları değişti" }, "dangerZone": { "message": "Tehlikeli Bölge" }, "dangerZoneDesc": { "message": "Dikkatli olun, bu işlemleri geri alamazsınız!" }, "deauthorizeSessions": { "message": "Oturumları kapat" }, "deauthorizeSessionsDesc": { "message": "Başka bir cihazda oturum açtığınızdan endişeli misiniz? Daha önce kullandığınız tüm cihazlardan oturumu kapatmak için aşağıdan ilerleyin. Bu güvenlik aşaması, halka açık bir bilgisayar kullandıysanız veya sahibi olmadığınız bir cihazda parolanızı kaydettiyseniz önerilir. Bu aşama aynı zamanda iki aşamalı giriş kullanılan oturumları da temizleyecektir." }, "deauthorizeSessionsWarning": { "message": "Devam ederseniz geçerli oturumunuz da sonlanacak ve yeniden oturum açmanız gerekecek. İki aşamalı girişi etkinleştirdiyseniz onu da tamamlamanız gerekecek. Diğer cihazlardaki aktif oturumlar bir saate kadar aktif kalabilir." }, "sessionsDeauthorized": { "message": "Tüm oturumlar kapatıldı" }, "purgeVault": { "message": "Kasayı sil" }, "purgedOrganizationVault": { "message": "Kuruluş kasası silindi." }, "vaultAccessedByProvider": { "message": "Sağlayıcı, kasaya erişti." }, "purgeVaultDesc": { "message": "Kasanızdaki tüm kayıtları ve klasörleri silmek için aşağıdan devam edin. Kuruluşa ait kayıtlar silinmeyecektir." }, "purgeOrgVaultDesc": { "message": "Kuruluş kasasındaki tüm kayıtları silmek için aşağıdaki adımları izleyin." }, "purgeVaultWarning": { "message": "Kasanızı silmek kalıcıdır. Bu işlem geri alınamaz." }, "vaultPurged": { "message": "Kasanız silindi." }, "deleteAccount": { "message": "Hesabı sil" }, "deleteAccountDesc": { "message": "Hesabınızı ve tüm ilişkili verileri silmek için aşağıdan devam edin." }, "deleteAccountWarning": { "message": "Hesabınızı silmek kalıcıdır. Geri alınamaz." }, "accountDeleted": { "message": "Hesap silindi" }, "accountDeletedDesc": { "message": "Hesabınız kapatıldı ve ilişkili tüm veriler silindi." }, "myAccount": { "message": "Hesabım" }, "tools": { "message": "Araçlar" }, "importData": { "message": "Verileri içe aktar" }, "importError": { "message": "İçe aktarma hatası" }, "importErrorDesc": { "message": "İçe aktarmaya çalıştığınız verilerle ilgili bir problem var. Lütfen kaynak dosyanızdaki aşağıda belirtilen hataları çözüp tekrar deneyin." }, "importSuccess": { "message": "Veriler kasanıza başarıyla aktarıldı." }, "importWarning": { "message": "$ORGANIZATION$ kuruluşuna veri aktarıyorsunuz. Verileriniz bu kuruluşun üyeleriyle paylaşılabilir. Devam etmek istiyor musunuz?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "importFormatError": { "message": "Veriler doğru biçimlendirilmemiş. Lütfen içe aktarma dosyanızı kontrol edin ve tekrar deneyin." }, "importNothingError": { "message": "Hiçbir şey içe aktarılmadı." }, "importEncKeyError": { "message": "Dışa aktarılmış dosya çözülemedi. Şifreleme anahtarınız, veri dışa aktarılırken kullanılanla uyuşmuyor." }, "selectFormat": { "message": "İçe aktarma dosyasının biçimini seçin" }, "selectImportFile": { "message": "İçe aktarma dosyasını seçin" }, "orCopyPasteFileContents": { "message": "veya içe aktarma dosyasının içeriğini kopyalayıp yapıştırın" }, "instructionsFor": { "message": "$NAME$ Talimatları", "description": "The title for the import tool instructions.", "placeholders": { "name": { "content": "$1", "example": "LastPass (csv)" } } }, "options": { "message": "Seçenekler" }, "optionsDesc": { "message": "Web kasası deneyiminizi özelleştirin." }, "optionsUpdated": { "message": "Seçenekler güncellendi" }, "language": { "message": "Dil" }, "languageDesc": { "message": "Web kasasında kullanılan dili değiştirin." }, "disableIcons": { "message": "Site simgelerini devre dışı bırak" }, "disableIconsDesc": { "message": "Web sitesi simgeleri, kasanızdaki her kaydın yanında o siteyi tanımanıza yardımcı olan bir resim sunar." }, "enableGravatars": { "message": "Gravatar'ı etkinleştir", "description": "'Gravatar' is the name of a service. See www.gravatar.com" }, "enableGravatarsDesc": { "message": "gravatar.com adresinden yüklenen avatarları kullan." }, "enableFullWidth": { "message": "Tam genişlik görünümünü etkinleştir", "description": "Allows scaling the web vault UI's width" }, "enableFullWidthDesc": { "message": "Web kasasının tarayıcı penceresi genişliğinin tamamını kullanmasına izin ver." }, "default": { "message": "Varsayılan" }, "domainRules": { "message": "Alan adı kuralları" }, "domainRulesDesc": { "message": "Farklı web sitesi alan adlarında aynı hesap bilgisine sahipseniz web sitesini \"eşdeğer\" olarak işaretleyebilirsiniz. \"Global\" alan adları, sizin için Bitwarden tarafından oluşturulmuş olanlardır." }, "globalEqDomains": { "message": "Global eşdeğer alan adları" }, "customEqDomains": { "message": "Özel eşdeğer alan adları" }, "exclude": { "message": "Hariç tut" }, "include": { "message": "Dahil et" }, "customize": { "message": "Özelleştir" }, "newCustomDomain": { "message": "Yeni özel alan adı" }, "newCustomDomainDesc": { "message": "Alan adları listesini virgülle ayırarak girin. Sadece ana alan adlarına izin verilir. Alt alan adları girmeyin. Örneğin, \"www.google.com\" yerine \"google.com\" yazmalısınız. Bir Android uygulamasını diğer web sitesi alan adlarıyla eşleştirmek için \"androiduygulaması://paket.ismi\" girebilirsiniz." }, "customDomainX": { "message": "Özel alan adı: $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "domainsUpdated": { "message": "Alan adları güncellendi" }, "twoStepLogin": { "message": "İki aşamalı giriş" }, "twoStepLoginDesc": { "message": "Oturum açarken ek bir adım talep ederek hesabınızı güvenceye alabilirsiniz." }, "twoStepLoginOrganizationDesc": { "message": "Kuruluş düzeyinde sağlayıcıları düzenleyerek kuruluşunuzun kullanıcılarına iki aşamalı girişi zorunlu kılabilirsiniz." }, "twoStepLoginRecoveryWarning": { "message": "İki aşamalı girişi etkinleştirmek, Bitwarden hesabınızı kalıcı olarak kilitleyebilir. Kurtarma kodunuz, iki aşamalı giriş sağlayıcınızı kullanamamanız durumunda hesabınıza erişmenize olanak sağlar (ör. cihazınızı kaybedersiniz). Hesabınıza erişiminizi kaybederseniz Bitwarden destek ekibi size yardımcı olamaz. Kurtarma kodunu not almanızı veya yazdırmanızı ve güvenli bir yerde saklamanızı öneririz." }, "viewRecoveryCode": { "message": "Kurtarma kodunu göster" }, "providers": { "message": "Sağlayıcılar", "description": "Two-step login providers such as YubiKey, Duo, Authenticator apps, Email, etc." }, "enable": { "message": "Etkinleştir" }, "enabled": { "message": "Etkin" }, "premium": { "message": "Premium", "description": "Premium Membership" }, "premiumMembership": { "message": "Premium üyelik" }, "premiumRequired": { "message": "Premium gerekli" }, "premiumRequiredDesc": { "message": "Bu özelliği kullanmak için premium üyelik gereklidir." }, "youHavePremiumAccess": { "message": "Premium erişiminiz var" }, "alreadyPremiumFromOrg": { "message": "Üyesi olduğunuz kuruluş sayesinde premium özelliklere zaten erişiminiz var." }, "manage": { "message": "Yönet" }, "disable": { "message": "Devre dışı bırak" }, "twoStepLoginProviderEnabled": { "message": "Bu iki aşamalı giriş sağlayıcısı hesabınızda etkin durumda." }, "twoStepLoginAuthDesc": { "message": "İki aşamalı giriş ayarlarını değiştirmek için ana parolanızı girin." }, "twoStepAuthenticatorDesc": { "message": "Kimlik doğrulama uygulamasıyla iki aşamalı girişi ayarlamak için aşağıdaki adımları izleyin:" }, "twoStepAuthenticatorDownloadApp": { "message": "İki aşamalı kimlik doğrulama uygulamalarından birini indirin" }, "twoStepAuthenticatorNeedApp": { "message": "Kimlik doğrulama uygulamasına mı ihtiyacınız var? Aşağıdakilerden birini indirebilirsiniz" }, "iosDevices": { "message": "iOS cihazları" }, "androidDevices": { "message": "Android cihazları" }, "windowsDevices": { "message": "Windows cihazları" }, "twoStepAuthenticatorAppsRecommended": { "message": "Bunlar bizim önerdiğimiz uygulamalar ama farklı kimlik doğrulama uygulamaları da kullanabilirsiniz." }, "twoStepAuthenticatorScanCode": { "message": "Bu QR kodunu kimlik doğrulama uygulamanızla tarayın" }, "key": { "message": "Anahtar" }, "twoStepAuthenticatorEnterCode": { "message": "Uygulamanın verdiği 6 basamaklı doğrulama kodunu girin" }, "twoStepAuthenticatorReaddDesc": { "message": "Başka bir cihaza eklemeniz gerekirse kimlik doğrulama uygulamanıza aşağıdaki QR kodunu (veya anahtarı) verebilirsiniz." }, "twoStepDisableDesc": { "message": "Bu iki aşamalı giriş sağlayıcısını devre dışı bırakmak istediğinize emin misiniz?" }, "twoStepDisabled": { "message": "İki aşamalı giriş sağlayıcısı devre dışı." }, "twoFactorYubikeyAdd": { "message": "Hesabıma yeni bir YubiKey ekle" }, "twoFactorYubikeyPlugIn": { "message": "YubiKey'i bilgisayarınızın USB portuna takın." }, "twoFactorYubikeySelectKey": { "message": "Aşağıdaki ilk boş YubiKey giriş alanını seçin." }, "twoFactorYubikeyTouchButton": { "message": "YubiKey'in düğmesine dokunun." }, "twoFactorYubikeySaveForm": { "message": "Formu kaydedin." }, "twoFactorYubikeyWarning": { "message": "Platform sınırlamaları nedeniyle YubiKey tüm Bitwarden uygulamalarında kullanılamaz. YubiKey kullanılamadığında hesabınıza erişebilmek için başka bir iki aşamalı doğrulama yöntemi ayarlamanız gerekir. Desteklenen platformlar:" }, "twoFactorYubikeySupportUsb": { "message": "Web kasası, masaüstü uygulaması, CLI ve YubiKey'inizi kabul edebilecek bir USB bağlantı noktasına sahip bir cihazdaki tüm tarayıcı uzantıları." }, "twoFactorYubikeySupportMobile": { "message": "NFC özellikli bir cihazdaki mobil uygulamalar veya YubiKey'inizi kabul edebilen bir veri bağlantı noktası." }, "yubikeyX": { "message": "YubiKey $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "u2fkeyX": { "message": "U2F anahtarı $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "webAuthnkeyX": { "message": "WebAuthn Anahtarı $INDEX$", "placeholders": { "index": { "content": "$1", "example": "2" } } }, "nfcSupport": { "message": "NFC desteği" }, "twoFactorYubikeySupportsNfc": { "message": "Anahtarlarımdan biri NFC destekliyor." }, "twoFactorYubikeySupportsNfcDesc": { "message": "YubiKey'lerinizden biri NFC'yi destekliyorsa (örn. YubiKey NEO) NFC kullanılabilirliği tespit edildiğinde mobil cihazınızdan sizi uyaracağız." }, "yubikeysUpdated": { "message": "YubiKey'ler güncellendi" }, "disableAllKeys": { "message": "Tüm anahtarları devre dışı bırak" }, "twoFactorDuoDesc": { "message": "Duo Yönetici panelinizden Bitwarden uygulama bilgilerini girin." }, "twoFactorDuoIntegrationKey": { "message": "Entegrasyon anahtarı" }, "twoFactorDuoSecretKey": { "message": "Gizli anahtar" }, "twoFactorDuoApiHostname": { "message": "API sunucusu" }, "twoFactorEmailDesc": { "message": "E-posta ile iki aşamalı girişi kurmak için aşağıdaki adımları izleyin:" }, "twoFactorEmailEnterEmail": { "message": "Doğrulama kodlarını almak istediğiniz e-posta adresini girin" }, "twoFactorEmailEnterCode": { "message": "E-postadaki 6 basamaklı doğrulama kodunu girin" }, "sendEmail": { "message": "E-posta gönder" }, "twoFactorU2fAdd": { "message": "Hesabınıza FIDO U2F güvenlik anahtarı ekleyin" }, "removeU2fConfirmation": { "message": "Bu güvenlik anahtarını kaldırmak istediğinizden emin misiniz?" }, "twoFactorWebAuthnAdd": { "message": "Hesabınıza bir WebAuthn güvenlik anahtarı ekleyin" }, "readKey": { "message": "Anahtarı oku" }, "keyCompromised": { "message": "Anahtar ele geçirilmiş." }, "twoFactorU2fGiveName": { "message": "Güvenlik anahtarını tanımlamak için kolay bir isim verin." }, "twoFactorU2fPlugInReadKey": { "message": "Güvenlik anahtarını bilgisayarınızın USB portuna takıp \"Anahtarı oku\" düğmesine tıklayın." }, "twoFactorU2fTouchButton": { "message": "Güvenlik anahtarının düğmesi varsa düğmeye dokunun." }, "twoFactorU2fSaveForm": { "message": "Formu kaydedin." }, "twoFactorU2fWarning": { "message": "Platform sınırlamaları nedeniyle FIDO U2F tüm Bitwarden uygulamalarında kullanılamaz. FIDO U2F kullanılamadığında hesabınıza erişebilmek için başka bir iki aşamalı doğrulama yöntemi ayarlamanız gerekir. Desteklenen platformlar:" }, "twoFactorU2fSupportWeb": { "message": "Web kasası ve U2F uyumlu bir tarayıcıya (FIDO U2F uyumlu Chrome, Opera, Vivaldi veya Firefox) sahip bir bilgisayardaki tarayıcı uzantıları." }, "twoFactorU2fWaiting": { "message": "Güvenlik anahtarınızdaki düğmeye dokunmanız bekleniyor" }, "twoFactorU2fClickSave": { "message": "Bu güvenlik anahtarıyla iki aşamalı girişi etkinleştirmek için aşağıdaki \"Kaydet\" düğmesine tıklayın." }, "twoFactorU2fProblemReadingTryAgain": { "message": "Güvenlik anahtarını okurken bir sorun oluştu. Tekrar deneyin." }, "twoFactorWebAuthnWarning": { "message": "Platform sınırlamaları nedeniyle WebAuthn tüm Bitwarden uygulamalarında kullanılamaz. WebAuthn kullanılamadığında hesabınıza erişebilmek için başka bir iki aşamalı doğrulama yöntemi ayarlamanız gerekir. Desteklenen platformlar:" }, "twoFactorWebAuthnSupportWeb": { "message": "WebAuthn uyumlu bir tarayıcıya (FIDO U2F uyumlu Chrome, Opera, Vivaldi veya Firefox) sahip bir bilgisayardaki tarayıcı uzantıları." }, "twoFactorRecoveryYourCode": { "message": "Bitwarden iki aşamalı giriş kurtarma kodunuz" }, "twoFactorRecoveryNoCode": { "message": "Henüz herhangi bir iki aşamalı giriş sağlayıcısını etkinleştirmediniz. İki aşamalı giriş sağlayıcısını etkinleştirdikten sonra kurtarma kodunuzu almak için burayı tekrar kontrol edebilirsiniz." }, "printCode": { "message": "Kodu yazdır", "description": "Print 2FA recovery code" }, "reports": { "message": "Raporlar" }, "reportsDesc": { "message": "Aşağıdaki raporlara tıklayarak çevrimiçi hesaplarınızdaki güvenlik açıklarını görün ve kapatın." }, "unsecuredWebsitesReport": { "message": "Güvensiz Web Siteler Raporu" }, "unsecuredWebsitesReportDesc": { "message": "http:// protokolünü kullanan güvenilmez web sitelerini kullanmak tehlikeli olabilir. Web sitesi bunu sunuyorsa bağlantınızın şifrelenmesi için her zaman https:// protokolünü kullanmalısınız." }, "unsecuredWebsitesFound": { "message": "Güvensiz web siteleri bulundu" }, "unsecuredWebsitesFoundDesc": { "message": "Kasanızda güvenli olmayan URI'ye sahip $COUNT$ kayıt bulduk. Web sitesi izin veriyorsa URI şemasını https:// olarak değiştirmelisiniz.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noUnsecuredWebsites": { "message": "Kasanızda güvenli olmayan URI'ye sahip hiç kayıt yok." }, "inactive2faReport": { "message": "Pasif 2FA Raporu" }, "inactive2faReportDesc": { "message": "İki aşamalı kimlik doğrulama (2FA), hesaplarınızı güvenceye almanızı sağlayan önemli bir güvenlik ayarıdır. İki aşamalı kimlik doğrulamayı destekleyen sitelerde bu ayarı her zaman etkinleştirmenizi öneririz." }, "inactive2faFound": { "message": "2FA olmayan hesaplar bulundu" }, "inactive2faFoundDesc": { "message": "Kasanızda iki aşamalı kimlik doğrulaması kullanmıyor olabilecek $COUNT$ web sitesi bulduk (2fa.directory’ye göre). Bu hesapları daha iyi korumak için iki aşamalı kimlik doğrulamasını etkinleştirmelisiniz.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noInactive2fa": { "message": "Kasanızda iki aşamalı kimlik doğrulama yapılandırması eksik olan web sitesi bulunamadı." }, "instructions": { "message": "Yönergeler" }, "exposedPasswordsReport": { "message": "Açığa Çıkmış Parolalar Raporu" }, "exposedPasswordsReportDesc": { "message": "Açığa çıkmış parolalar, kamuya açık olarak yayınlanan veya bilgisayar korsanları tarafından karanlık ağda satıldığı bilinen parolalardır." }, "exposedPasswordsFound": { "message": "Açığa Çıkmış Parolalar Bulundu" }, "exposedPasswordsFoundDesc": { "message": "Kasanızda, bilinen veri ihlallerine maruz kalmış parolalara sahip $COUNT$ kayıt bulundu. Bu parolaları değiştirmelisiniz.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noExposedPasswords": { "message": "Kasanızdaki hiçbir kaydın parolası bilinen veri ihlallerinde ele geçirilmemiş." }, "checkExposedPasswords": { "message": "Açığa Çıkmış Parolaları Kontrol Et" }, "exposedXTimes": { "message": "$COUNT$ kez açığa çıkmış", "placeholders": { "count": { "content": "$1", "example": "52" } } }, "weakPasswordsReport": { "message": "Zayıf Parolalar Raporu" }, "weakPasswordsReportDesc": { "message": "Zayıf parolalar bilgisayar korsanları ve parola kırmak için kullanılan otomatik araçlar tarafından kolayca tahmin edilebilir. Bitwarden parola üreticisi, güçlü şifreler oluşturmanıza yardımcı olabilir." }, "weakPasswordsFound": { "message": "Zayıf parolalar pulundu" }, "weakPasswordsFoundDesc": { "message": "Kasanızda zayıf parolalara sahip $COUNT$ kayıt bulduk. Bunları güncelleyip daha güçlü parolalar kullanmalısınız.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noWeakPasswords": { "message": "Kasanızdaki hiçbir kaydın parolası zayıf değil." }, "reusedPasswordsReport": { "message": "Yeniden Kullanılmış Parolalar Raporu" }, "reusedPasswordsReportDesc": { "message": "Kullandığınız bir servis ele geçirilirse, aynı parolayı başka yerlerde kullanmanız hacker'ların diğer hesaplarınıza da kolayca erişmesine olanak tanıyabilir. bu yüzden her hesap ve hizmet için farklı bir parola kullanmalısınız." }, "reusedPasswordsFound": { "message": "Yeniden kullanılmış parolalar bulundu" }, "reusedPasswordsFoundDesc": { "message": "Kasanızda tekrar kullanılmakta olan $COUNT$ parola bulduk. Onları benzersiz parolalarla değiştirmelisiniz.", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "noReusedPasswords": { "message": "Kasanızdaki hiçbir hesabın parolası tekrar kullanılmamış." }, "reusedXTimes": { "message": "$COUNT$ kere yeniden kullanılmış", "placeholders": { "count": { "content": "$1", "example": "8" } } }, "dataBreachReport": { "message": "Veri İhlali Raporu" }, "breachDesc": { "message": "Hacker'ların bir sitenin verilerine yasadışı bir şekilde erişip bunları herkese açık bir şekilde yayımlamalarına \"ihlal\" denir. Ele geçirilen veri türlerini (e-posta adresleri, parolalar, kredi kartları vb.) inceleyin ve gerekli önlemleri alın (örn. parolaları değiştirin)." }, "breachCheckUsernameEmail": { "message": "Kullandığınız kullanıcı adlarını ve e-posta adreslerini kontrol edin." }, "checkBreaches": { "message": "İhlalleri denetle" }, "breachUsernameNotFound": { "message": "$USERNAME$ bilinen veri ihlallerinde bulunamadı.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" } } }, "goodNews": { "message": "Haberler iyi", "description": "ex. Good News, No Breached Accounts Found!" }, "breachUsernameFound": { "message": "$USERNAME$ $COUNT$ farklı çevrimiçi veri ihlalinde bulundu.", "placeholders": { "username": { "content": "$1", "example": "user@example.com" }, "count": { "content": "$2", "example": "7" } } }, "breachFound": { "message": "Ele geçirilmiş hesaplar bulundu" }, "compromisedData": { "message": "Ele geçirilen veriler" }, "website": { "message": "Web sitesi" }, "affectedUsers": { "message": "Etkilenen kullanıcılar" }, "breachOccurred": { "message": "İhlal tarihi" }, "breachReported": { "message": "Bildirilme tarihi" }, "reportError": { "message": "Rapor yüklenmeye çalışılırken bir hata oluştu. Tekrar deneyin" }, "billing": { "message": "Faturalandırma" }, "accountCredit": { "message": "Hesap kredisi", "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": "Hesap bakiyesi", "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": "Kredi ekle", "description": "Add more credit to your account's balance." }, "amount": { "message": "Tutar", "description": "Dollar amount, or quantity." }, "creditDelayed": { "message": "Ödeme tamamlandıktan sonra eklenen kredi hesabınızda görünecektir. Bazı ödeme yöntemlerinin işlenmesi diğerlerine göre daha uzun sürebilir." }, "makeSureEnoughCredit": { "message": "Please make sure that your account has enough credit available for this purchase. If your account does not have enough credit available, your default payment method on file will be used for the difference. You can add credit to your account from the Billing page." }, "creditAppliedDesc": { "message": "Hesabınızdaki krediyi satın alımlarda kullanabilirsiniz. Mevcut krediniz bu hesap için oluşturulan faturalardan otomatik olarak düşülecektir." }, "goPremium": { "message": "Premium'a geçin", "description": "Another way of saying \"Get a premium membership\"" }, "premiumUpdated": { "message": "Premium'a yükselttiniz." }, "premiumUpgradeUnlockFeatures": { "message": "Hesabınızı premium üyeliğe yükselterek harika ek özelliklere sahip olabilirsiniz." }, "premiumSignUpStorage": { "message": "Dosya ekleri için 1 GB şifrelenmiş depolama." }, "premiumSignUpTwoStep": { "message": "YubiKey, FIDO U2F ve Duo gibi iki aşamalı giriş seçenekleri." }, "premiumSignUpEmergency": { "message": "Acil durum erişimi" }, "premiumSignUpReports": { "message": "Kasanızı güvende tutmak için parola hijyeni, hesap sağlığı ve veri ihlali raporları." }, "premiumSignUpTotp": { "message": "Kasanızdaki hesaplar için TOTP doğrulama kodu (2FA) oluşturucu." }, "premiumSignUpSupport": { "message": "Öncelikli müşteri desteği." }, "premiumSignUpFuture": { "message": "Ve ileride duyuracağımız tüm premium özellikler. Daha fazlası yakında!" }, "premiumPrice": { "message": "Bunların hepsi yıllık sadece $PRICE$!", "placeholders": { "price": { "content": "$1", "example": "$10" } } }, "addons": { "message": "Eklentiler" }, "premiumAccess": { "message": "Premium erişim" }, "premiumAccessDesc": { "message": "Kuruluşunuzdaki tüm üyelerine $PRICE$ /$INTERVAL$ fiyatla premium erişim ekleyebilirsiniz.", "placeholders": { "price": { "content": "$1", "example": "$3.33" }, "interval": { "content": "$2", "example": "'month' or 'year'" } } }, "additionalStorageGb": { "message": "Ek depolama alanı (GB)" }, "additionalStorageGbDesc": { "message": "# ilave GB" }, "additionalStorageIntervalDesc": { "message": "Paketinizde $SIZE$ şifrelenmiş dosya depolama alanı bulunuyor. GB/$INTERVAL$ başına $PRICE$ fiyatla ilave depolama alanı ekleyebilirsiniz.", "placeholders": { "size": { "content": "$1", "example": "1 GB" }, "price": { "content": "$2", "example": "$4.00" }, "interval": { "content": "$3", "example": "'month' or 'year'" } } }, "summary": { "message": "Özet" }, "total": { "message": "Toplam" }, "year": { "message": "yıl" }, "month": { "message": "ay" }, "monthAbbr": { "message": "ay", "description": "Short abbreviation for 'month'" }, "paymentChargedAnnually": { "message": "Ödeme yönteminizden hemen şimdi ve ardından her yıl düzenli ödeme alınacaktır. İstediğiniz zaman aboneliğinizi iptal edebilirsiniz." }, "paymentCharged": { "message": "Ödeme yönteminizden hemen şimdi ve ardından her $INTERVAL$ düzenli ödeme alınacaktır. İstediğiniz zaman aboneliğinizi iptal edebilirsiniz.", "placeholders": { "interval": { "content": "$1", "example": "month or year" } } }, "paymentChargedWithTrial": { "message": "Paketiniz 7 günlük ücretsiz deneme süresiyle geliyor. Deneme süresi bitene kadar sizden ücret alınmayacak. İstediğiniz zaman aboneliğinizi iptal edebilirsiniz." }, "paymentInformation": { "message": "Ödeme Bilgileri" }, "billingInformation": { "message": "Fatura Bilgileri" }, "creditCard": { "message": "Kredi kartı" }, "paypalClickSubmit": { "message": "PayPal hesabınıza giriş yapmak için PayPal düğmesine tıklayın. Ardından devam etmek için aşağıdaki Gönder düğmesine tıklayın." }, "cancelSubscription": { "message": "Aboneliği iptal et" }, "subscriptionCanceled": { "message": "Aboneliğiniz iptal edildi." }, "pendingCancellation": { "message": "İptal bekleniyor" }, "subscriptionPendingCanceled": { "message": "Aboneliğiniz geçerli fatura dönemi sonunda iptal edilmek üzere işaretlendi." }, "reinstateSubscription": { "message": "Aboneliği sürdür" }, "reinstateConfirmation": { "message": "Bekleyen iptal isteğini kaldırmak ve aboneliğinizi yeniden eski haline getirmek istediğinizden emin misiniz?" }, "reinstated": { "message": "Abonelik sürdürüldü." }, "cancelConfirmation": { "message": "İptal etmek istediğinden emin misin? Bu fatura döneminin sonunda bu aboneliğin tüm özelliklerine erişiminizi kaybedeceksiniz." }, "canceledSubscription": { "message": "Abonelik iptal edildi." }, "neverExpires": { "message": "Zaman aşımı yok" }, "status": { "message": "Durum" }, "nextCharge": { "message": "Sonraki ödeme" }, "details": { "message": "Ayrıntılar" }, "downloadLicense": { "message": "Lisansı indir" }, "updateLicense": { "message": "Lisansı güncelle" }, "updatedLicense": { "message": "Lisans güncellendi" }, "manageSubscription": { "message": "Aboneliğimi yönet" }, "storage": { "message": "Depolama" }, "addStorage": { "message": "Depolama ekle" }, "removeStorage": { "message": "Depolama azalt" }, "subscriptionStorage": { "message": "Aboneliğinizin toplam $MAX_STORAGE$ GB şifrelenmiş dosya depolama alanı var. Şu anda $USED_STORAGE$ kullanıyorsunuz.", "placeholders": { "max_storage": { "content": "$1", "example": "4" }, "used_storage": { "content": "$2", "example": "65 MB" } } }, "paymentMethod": { "message": "Ödeme yöntemi" }, "noPaymentMethod": { "message": "Kayıtlı bir ödeme yöntemi yok." }, "addPaymentMethod": { "message": "Ödeme yöntemi ekle" }, "changePaymentMethod": { "message": "Ödeme yöntemini değiştir" }, "invoices": { "message": "Faturalar" }, "noInvoices": { "message": "Fatura yok." }, "paid": { "message": "Ödendi", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "unpaid": { "message": "Ödenmedi", "description": "Past tense status of an invoice. ex. Paid or unpaid." }, "transactions": { "message": "İşlemler", "description": "Payment/credit transactions." }, "noTransactions": { "message": "İşlem yok." }, "chargeNoun": { "message": "Ödeme", "description": "Noun. A charge from a payment method." }, "refundNoun": { "message": "İade", "description": "Noun. A refunded payment that was charged." }, "chargesStatement": { "message": "Ödemeler hesap özetinizde $STATEMENT_NAME$ olarak görünecektir.", "placeholders": { "statement_name": { "content": "$1", "example": "BITWARDEN" } } }, "gbStorageAdd": { "message": "Depolamaya eklenecek GB miktarı" }, "gbStorageRemove": { "message": "Depolamadan çıkarılacak GB miktarı" }, "storageAddNote": { "message": "Adding storage will result in adjustments to your billing totals and immediately charge your payment method on file. The first charge will be prorated for the remainder of the current billing cycle." }, "storageRemoveNote": { "message": "Removing storage will result in adjustments to your billing totals that will be prorated as credits toward your next billing charge." }, "adjustedStorage": { "message": "$AMOUNT$ GB depolama alanı ayarlandı.", "placeholders": { "amount": { "content": "$1", "example": "5" } } }, "contactSupport": { "message": "Müşteri hizmetleriyle iletişime geçin" }, "updatedPaymentMethod": { "message": "Ödeme yöntemi güncellendi." }, "purchasePremium": { "message": "Premium satın al" }, "licenseFile": { "message": "Lisans dosyası" }, "licenseFileDesc": { "message": "Lisans dosyanızın adı şuna benzer olacak: $FILE_NAME$", "placeholders": { "file_name": { "content": "$1", "example": "bitwarden_premium_license.json" } } }, "uploadLicenseFilePremium": { "message": "Hesabınızı premium üyeliğe yükseltmek için geçerli bir lisans dosyası yüklemelisiniz." }, "uploadLicenseFileOrg": { "message": "Şirket içinde barındırılan bir kuruluş oluşturmak için geçerli bir lisans dosyası yüklemeniz gerekir." }, "accountEmailMustBeVerified": { "message": "Hesabınızın e-posta adresi doğrulanmalıdır." }, "newOrganizationDesc": { "message": "Kuruluşlar, kasanızın belli kısımları başkalarıyla paylaşmanıza ve aile, küçük ekip veya büyük şirket gibi kuruluşların kullanıcılarını yönetmenize olanak tanır." }, "generalInformation": { "message": "Genel bilgiler" }, "organizationName": { "message": "Kuruluş adı" }, "accountOwnedBusiness": { "message": "Bu hesap bir işletmeye aittir." }, "billingEmail": { "message": "Fatura için e-posta" }, "businessName": { "message": "Firma adı" }, "chooseYourPlan": { "message": "Planınızı seçin" }, "users": { "message": "Kullanıcı" }, "userSeats": { "message": "Kullanıcı sayısı" }, "additionalUserSeats": { "message": "Ek kullanıcı sayısı" }, "userSeatsDesc": { "message": "Kullanıcı sayısı" }, "userSeatsAdditionalDesc": { "message": "Abonelik paketiniz $BASE_SEATS$ kullanıcıya izin veriyor. İsterseniz kullanıcı başına aylık $SEAT_PRICE$ fiyatla daha fazla kullanıcı ekleyebilirsiniz.", "placeholders": { "base_seats": { "content": "$1", "example": "5" }, "seat_price": { "content": "$2", "example": "$2.00" } } }, "userSeatsHowManyDesc": { "message": "Kaç kullanıcıya ihtiyacınız var? Gerekirse daha sonra bu sayıyı artırabilirsiniz." }, "planNameFree": { "message": "Ücretsiz", "description": "Free as in 'free beer'." }, "planDescFree": { "message": "Test veya kişisel kullanım amacıyla $COUNT$ kullanıcıyla paylaşılması için.", "placeholders": { "count": { "content": "$1", "example": "1" } } }, "planNameFamilies": { "message": "Aile" }, "planDescFamilies": { "message": "Kişisel kullanım için, aileniz ve arkadaşlarınızla paylaşın." }, "planNameTeams": { "message": "Ekip" }, "planDescTeams": { "message": "İşletmeler ve diğer ekipler için." }, "planNameEnterprise": { "message": "Kurumsal" }, "planDescEnterprise": { "message": "İşyerleri ve diğer büyük kuruluşlar için." }, "freeForever": { "message": "Ömür boyu ücretsiz" }, "includesXUsers": { "message": "$COUNT$ kullanıcı içerir", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "additionalUsers": { "message": "Ek kullanıcı" }, "costPerUser": { "message": "Kullanıcı başına $COST$", "placeholders": { "cost": { "content": "$1", "example": "$3" } } }, "limitedUsers": { "message": "$COUNT$ kullanıcıyla sınırlı (siz dahil)", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "limitedCollections": { "message": "$COUNT$ koleksiyonla sınırlı", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "addShareLimitedUsers": { "message": "$COUNT$ kullanıcı ekleyin ve paylaşın", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "addShareUnlimitedUsers": { "message": "Sınırsız kullanıcı ekleyin ve paylaşın" }, "createUnlimitedCollections": { "message": "Sınırsız koleksiyon oluşturma" }, "gbEncryptedFileStorage": { "message": "$SIZE$ şifrelenmiş dosya depolama", "placeholders": { "size": { "content": "$1", "example": "1 GB" } } }, "onPremHostingOptional": { "message": "Şirket içi barındırma (isteğe bağlı)" }, "usersGetPremium": { "message": "Kullanıcılar premium özelliklere erişebilir" }, "controlAccessWithGroups": { "message": "Kullanıcı erişimini gruplarla kontrol etme" }, "syncUsersFromDirectory": { "message": "Kullanıcılarınızı ve gruplarınızı dizinle eşitleme" }, "trackAuditLogs": { "message": "Kullanıcı işlemlerinin günlüklerini izleme" }, "enforce2faDuo": { "message": "Duo ile 2FA uygulaması" }, "priorityCustomerSupport": { "message": "Öncelikli müşteri desteği" }, "xDayFreeTrial": { "message": "$COUNT$ günlük ücretsiz deneme. İstediğiniz zaman iptal edebilirsiniz", "placeholders": { "count": { "content": "$1", "example": "7" } } }, "monthly": { "message": "Aylık" }, "annually": { "message": "Yıllık" }, "basePrice": { "message": "Taban fiyat" }, "organizationCreated": { "message": "Kuruluş oluşturuldu" }, "organizationReadyToGo": { "message": "Yeni kuruluşunuz hazır!" }, "organizationUpgraded": { "message": "Kuruluşunuz yükseltildi." }, "leave": { "message": "Ayrıl" }, "leaveOrganizationConfirmation": { "message": "Bu kuruluştan ayrılmak istediğinizden emin misiniz?" }, "leftOrganization": { "message": "Kuruluştan ayrıldınız." }, "defaultCollection": { "message": "Varsayılan koleksiyon" }, "getHelp": { "message": "Yardım al" }, "getApps": { "message": "Uygulamaları indir" }, "loggedInAs": { "message": "Kullanıcı:" }, "eventLogs": { "message": "Olay günlükleri" }, "people": { "message": "Kişiler" }, "policies": { "message": "İlkeler" }, "singleSignOn": { "message": "Tek Oturum Açma" }, "editPolicy": { "message": "İlkeyi düzenle" }, "groups": { "message": "Gruplar" }, "newGroup": { "message": "Yeni grup" }, "addGroup": { "message": "Grup ekle" }, "editGroup": { "message": "Grubu düzenle" }, "deleteGroupConfirmation": { "message": "Bu grubu silmek isteğinizden emin misiniz?" }, "removeUserConfirmation": { "message": "Bu kullanıcıyı silmek istediğinizden emin misiniz?" }, "removeUserConfirmationKeyConnector": { "message": "Uyarı! Bu kullanıcı, şifrelemelerini yönetmek için Anahtar Bağlayıcı'ya ihtiyaç duyuyor. Bu kullanıcıyı kuruluşunuzdan çıkarmak, hesabını kalıcı olarak devre dışı bırakacaktır. Bu işlem geri alınamaz. Devam etmek istiyor musunuz?" }, "externalId": { "message": "Harici kimlik" }, "externalIdDesc": { "message": "Harici kimlik, referans olarak veya bu kaynağı kullanıcı dizini gibi harici bir sisteme bağlamak için kullanılabilir." }, "accessControl": { "message": "Erişim kontrolü" }, "groupAccessAllItems": { "message": "Bu grup tüm kayıtlara erişebilir ve onları değiştirebilir." }, "groupAccessSelectedCollections": { "message": "Bu grup sadece seçili koleksiyonlara erişebilir." }, "readOnly": { "message": "Salt okunur" }, "newCollection": { "message": "Yeni koleksiyon" }, "addCollection": { "message": "Koleksiyon ekle" }, "editCollection": { "message": "Koleksiyonu düzenle" }, "deleteCollectionConfirmation": { "message": "Bu koleksiyonu silmek istediğinizden emin misiniz?" }, "editUser": { "message": "Kullanıcıyı düzenle" }, "inviteUser": { "message": "Kullanıcı davet et" }, "inviteUserDesc": { "message": "Aşağıya Bitwarden hesabının e-posta adresini girerek kuruluşunuza yeni bir kullanıcı davet edin. Halihazırda bir Bitwarden hesabı yoksa yeni bir hesap oluşturması istenecektir." }, "inviteMultipleEmailDesc": { "message": "E-posta listesini virgülle ayırarak bir seferde en fazla $COUNT$ kullanıcıyı davet edebilirsiniz.", "placeholders": { "count": { "content": "$1", "example": "20" } } }, "userUsingTwoStep": { "message": "Bu kullanıcı hesabını korumak için iki aşamalı giriş kullanıyor." }, "userAccessAllItems": { "message": "Bu kullanıcı tüm kayıtlara erişebilir ve onları değiştirebilir." }, "userAccessSelectedCollections": { "message": "Bu kullanıcı sadece seçili koleksiyonlara erişebilir." }, "search": { "message": "Ara" }, "invited": { "message": "Davet edildi" }, "accepted": { "message": "Kabul etti" }, "confirmed": { "message": "Onaylandı" }, "clientOwnerEmail": { "message": "Müşteri sahibinin e-postası" }, "owner": { "message": "Sahip" }, "ownerDesc": { "message": "Kuruluşunuzun tüm alanlarını yönetebilen en yüksek erişimli kullanıcı." }, "clientOwnerDesc": { "message": "Bu kullanıcı Sağlayıcıdan bağımsız olmalıdır. Sağlayıcının kuruluşla ilişkisi kesilirse, bu kullanıcı kuruluşun sahipliğini sürdürür." }, "admin": { "message": "Yönetici" }, "adminDesc": { "message": "Yöneticiler kuruluşunuzdaki tüm kayıtlara, koleksiyonlara ve kullanıcılara erişebilir ve onları yönetebilir." }, "user": { "message": "Kullanıcı" }, "userDesc": { "message": "Kuruluşunuzda atanmış koleksiyonlara erişimi olan normal bir kullanıcı." }, "manager": { "message": "Yönetici" }, "managerDesc": { "message": "Yetkililer kuruluşunuzdaki kendilerine atanmış koleksiyonlara erişebilir ve onları yönetebilir." }, "all": { "message": "Tümü" }, "refresh": { "message": "Yenile" }, "timestamp": { "message": "Zaman damgası" }, "event": { "message": "Olay" }, "unknown": { "message": "Bilinmeyen" }, "loadMore": { "message": "Devamını yükle" }, "mobile": { "message": "Mobil", "description": "Mobile app" }, "extension": { "message": "Uzantı", "description": "Browser extension/addon" }, "desktop": { "message": "Masaüstü", "description": "Desktop app" }, "webVault": { "message": "Web kasası" }, "loggedIn": { "message": "Giriş yapıldı." }, "changedPassword": { "message": "Hesap parolası değiştirildi." }, "enabledUpdated2fa": { "message": "İki aşamalı giriş açıldı/güncellendi." }, "disabled2fa": { "message": "İki aşamalı giriş kapatıldı." }, "recovered2fa": { "message": "İki aşamalı giriş ile hesap kurtarıldı." }, "failedLogin": { "message": "Hatalı parola sebebiyle oturum açma başarısız oldu." }, "failedLogin2fa": { "message": "Hatalı iki aşamalı doğrulama sebebiyle oturum açma başarısız oldu." }, "exportedVault": { "message": "Kasa dışa aktarıldı." }, "exportedOrganizationVault": { "message": "Kuruluş kasası dışa aktarıldı." }, "editedOrgSettings": { "message": "Kuruluş ayarları düzenlendi." }, "createdItemId": { "message": "$ID$ kaydı oluşturuldu.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedItemId": { "message": "$ID$ kaydı düzenlendi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedItemId": { "message": "$ID$ kaydı çöp kutusuna gönderildi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "movedItemIdToOrg": { "message": "$ID$ kaydı bir kuruluşa taşındı.", "placeholders": { "id": { "content": "$1", "example": "'Google'" } } }, "viewedItemId": { "message": "$ID$ kaydı görüntülendi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedPasswordItemId": { "message": "$ID$ parolası görüntülendi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedHiddenFieldItemId": { "message": "$ID$ gizli alanı görüntülendi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "viewedSecurityCodeItemId": { "message": "$ID$ güvenlik kodu görüntülendi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedPasswordItemId": { "message": "$ID$ parolası kopyalandı.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedHiddenFieldItemId": { "message": "$ID$ gizli alanı kopyalandı.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "copiedSecurityCodeItemId": { "message": "$ID$ güvenlik kodu kopyalandı.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "autofilledItemId": { "message": "$ID$ kaydı otomatik dolduruldu.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "createdCollectionId": { "message": "$ID$ koleksiyonu oluşturuldu.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedCollectionId": { "message": "$ID$ koleksiyonu düzenlendi.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "deletedCollectionId": { "message": "$ID$ koleksiyonu silindi.", "placeholders": { "id": { "content": "$1", "example": "Server Passwords" } } }, "editedPolicyId": { "message": "İlke düzenlendi: $ID$.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "createdGroupId": { "message": "Grup oluşturuldu: $ID$.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "editedGroupId": { "message": "Grup düzenlendi: $ID$.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "deletedGroupId": { "message": "Grup silindi: $ID$.", "placeholders": { "id": { "content": "$1", "example": "Developers" } } }, "removedUserId": { "message": "Kullanıcı silindi: $ID$.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdAttachmentForItem": { "message": "$ID$ için bir ek oluşturuldu.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "deletedAttachmentForItem": { "message": "$ID$ için bir ek silindi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "editedCollectionsForItem": { "message": "$ID$ için koleksiyonlar düzenlendi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "invitedUserId": { "message": "Kullanıcı davet edildi: $ID$.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "confirmedUserId": { "message": "Kullanıcı onaylandı: $ID$.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedUserId": { "message": "Kullanıcı düzenlendi: $ID$.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "editedGroupsForUser": { "message": "$ID$ için gruplar düzenlendi.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "unlinkedSsoUser": { "message": "$ID$ kullanıcısı için SSO bağlantısı kesildi.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "createdOrganizationId": { "message": "$ID$ kuruluşu oluşturuldu.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "addedOrganizationId": { "message": "$ID$ kuruluşu eklendi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "removedOrganizationId": { "message": "$ID$ kuruluşu kaldırıldı.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "accessedClientVault": { "message": "$ID$ kuruluş kasasına erişildi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "device": { "message": "Cihaz" }, "view": { "message": "Görüntüle" }, "invalidDateRange": { "message": "Geçersiz tarih aralığı." }, "errorOccurred": { "message": "Bir hata oluştu." }, "userAccess": { "message": "Kullanıcı erişimi" }, "userType": { "message": "Kullanıcı türü" }, "groupAccess": { "message": "Grup erişimi" }, "groupAccessUserDesc": { "message": "Bu kullanıcının gruplarını düzenleyin." }, "invitedUsers": { "message": "Kullanıcı(lar) davet edildi." }, "resendInvitation": { "message": "Daveti yeniden gönder" }, "resendEmail": { "message": "E-postayı yeniden gönder" }, "hasBeenReinvited": { "message": "$USER$ yeniden davet edildi.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirm": { "message": "Onayla" }, "confirmUser": { "message": "Kullanıcıyı onayla" }, "hasBeenConfirmed": { "message": "$USER$ onaylandı.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "confirmUsers": { "message": "Kullanıcıları onayla" }, "usersNeedConfirmed": { "message": "Davetlerinizi kabul eden ancak hâlâ onaylanması gereken kullanıcılarınız var. Kullanıcılar onaylanana kadar kuruluşa erişemez." }, "startDate": { "message": "Başlangıç tarihi" }, "endDate": { "message": "Bitiş tarihi" }, "verifyEmail": { "message": "E-postayı doğrula" }, "verifyEmailDesc": { "message": "Bütün özelliklere erişmek için e-posta adresinizi doğrulayın." }, "verifyEmailFirst": { "message": "Öncelikle hesabınızın e-posta adresini doğrulamasınız." }, "checkInboxForVerification": { "message": "Doğrulama linki için e-posta hesabınızı kontrol edin." }, "emailVerified": { "message": "E-posta hesabınız doğrulandı." }, "emailVerifiedFailed": { "message": "E-posta hesabı doğrulanamadı. Yeniden doğrulama e-postası göndermeyi deneyin." }, "emailVerificationRequired": { "message": "E-posta Doğrulaması Gerekli" }, "emailVerificationRequiredDesc": { "message": "Bu özelliği kullanmak için e-postanızı doğrulamalısınız." }, "updateBrowser": { "message": "Tarayıcıyı güncelle" }, "updateBrowserDesc": { "message": "Desteklenmeyen bir web tarayıcısı kullanıyorsunuz. Web kasası düzgün çalışmayabilir." }, "joinOrganization": { "message": "Kuruluşa katıl" }, "joinOrganizationDesc": { "message": "Yukarıdaki kuruluşa katılmaya davet edildiniz. Daveti kabul etmek için giriş yapmanız veya yeni bir Bitwarden hesabı açmanız gerekiyor." }, "inviteAccepted": { "message": "Davet kabul edildi" }, "inviteAcceptedDesc": { "message": "Yöneticiler üyeliğinizi onayladıktan sonra kuruluşa erişebilirsiniz. Üyeliğiniz onaylandığında size e-posta göndereceğiz." }, "inviteAcceptFailed": { "message": "Davet kabul edilemedi. Kuruluş yöneticisinden yeni bir davet göndermesini isteyin." }, "inviteAcceptFailedShort": { "message": "Davet kabul edilemedi. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "rememberEmail": { "message": "E-postamı hatırla" }, "recoverAccountTwoStepDesc": { "message": "Eğer hesabınıza iki aşamalı doğrulama ile erişimde bir sorun yaşıyorsanız, kurtarma kodunuz ile iki aşamalı doğrulama özelliğini kapatabilirsiniz." }, "recoverAccountTwoStep": { "message": "Recover Account Two-Step Login" }, "twoStepRecoverDisabled": { "message": "İki aşamalı doğrulama hesabınızda devre dışı bırakıldı." }, "learnMore": { "message": "Daha fazla bilgi al" }, "deleteRecoverDesc": { "message": "Hesabınızı kurtarmak ve silmek için e-posta adresinizi yazın." }, "deleteRecoverEmailSent": { "message": "Hesabınız varsa gerekli talimatları içeren bir mesajı e-posta adresinize gönderdik." }, "deleteRecoverConfirmDesc": { "message": "Bitwarden hesabınızı silme talebinde bulundunuz. Onaylamak için aşağıdaki düğmeye tıklayın." }, "myOrganization": { "message": "Kuruluşum" }, "deleteOrganization": { "message": "Kuruluşu sil" }, "deletingOrganizationContentWarning": { "message": "$ORGANIZATION$ kuruluşunu ve tüm verilerini silmeyi onaylamak için ana parolayı girin. $ORGANIZATION$ kasa verileri şunları içerir:", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "deletingOrganizationActiveUserAccountsWarning": { "message": "Silme işleminin ardından kullanıcı hesapları aktif kalacaktır ama artık bu kuruluşa bağlı olmayacaklardır." }, "deletingOrganizationIsPermanentWarning": { "message": "$ORGANIZATION$ kuruluşunu silme işlemi kalıcıdır ve geri alınamaz.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "organizationDeleted": { "message": "Kuruluş silindi" }, "organizationDeletedDesc": { "message": "Kuruluş ve ilişkili tüm veriler silindi." }, "organizationUpdated": { "message": "Kuruluş güncellendi" }, "taxInformation": { "message": "Vergi bilgileri" }, "taxInformationDesc": { "message": "ABD'deki müşteriler için satış vergisi gereksinimlerini karşılamak adına posta kodu gereklidir. Diğer ülkeler için isteğe bağlı olarak, faturalarınızda görünecek bir vergi numarası ve/veya adres ekleyebilirsiniz." }, "billingPlan": { "message": "Paket", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlan": { "message": "Paketi yükselt", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "changeBillingPlanUpgrade": { "message": "Aşağıdaki bilgileri sağlayarak hesabınızı başka bir pakete yükseltin. Lütfen hesaba aktif bir ödeme yöntemi eklediğinizden emin olun.", "description": "A billing plan/package. For example: families, teams, enterprise, etc." }, "invoiceNumber": { "message": "Fatura no: $NUMBER$", "description": "ex. Invoice #79C66F0-0001", "placeholders": { "number": { "content": "$1", "example": "79C66F0-0001" } } }, "viewInvoice": { "message": "Faturayı görüntüle" }, "downloadInvoice": { "message": "Faturayı indir" }, "verifyBankAccount": { "message": "Banka hesabını doğrula" }, "verifyBankAccountDesc": { "message": "Banka hesabınıza iki mikro para yatırma işlemi yaptık. (Ulaşmaları 1-2 iş günü sürebilir.) Banka hesabını doğrulamak için bu tutarları girin." }, "verifyBankAccountInitialDesc": { "message": "Banka hesabıyla ödeme yalnızca Amerika Birleşik Devletleri'ndeki müşteriler tarafından kullanılabilir. Banka hesabınızı doğrulamanız istenecektir. Önümüzdeki 1-2 iş günü içinde iki mikro para yatırma işlemi yapacağız. Banka hesabını doğrulamak için bu tutarları kuruluşun faturalandırma sayfasına girin." }, "verifyBankAccountFailureWarning": { "message": "Banka hesabınız doğrulanmazsa ödeme yapılamaz ve aboneliğiniz devre dışı bırakılır." }, "verifiedBankAccount": { "message": "Banka hesabınız doğrulandı." }, "bankAccount": { "message": "Banka hesabı" }, "amountX": { "message": "Tutar: $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": "Şube kodu", "description": "Bank account routing number" }, "accountNumber": { "message": "Hesap numarası" }, "accountHolderName": { "message": "Hesap sahibinin adı" }, "bankAccountType": { "message": "Hesap türü" }, "bankAccountTypeCompany": { "message": "Şirket (işletme)" }, "bankAccountTypeIndividual": { "message": "Bireysel (kişisel)" }, "enterInstallationId": { "message": "Yükleme numarasını girin" }, "limitSubscriptionDesc": { "message": "Aboneliğiniz için kullanıcı sayısı sınırını belirleyin. Bu sınıra ulaşıldıktan sonra yeni kullanıcı davet edemezsiniz." }, "maxSeatLimit": { "message": "Maksimum kullanıcı sayısı (isteğe bağlı)", "description": "Upper limit of seats to allow through autoscaling" }, "maxSeatCost": { "message": "Maksimum potansiyel kullanıcı maliyeti" }, "addSeats": { "message": "Kullanıcı ekle", "description": "Seat = User Seat" }, "removeSeats": { "message": "Kullanıcı kaldır", "description": "Seat = User Seat" }, "subscriptionDesc": { "message": "Aboneliğinizde yapacağınız değişiklikler toplam faturanızın değişmesine yol açacaktır. Yeni davet edilen kullanıcıların sayısı abonelik paketinizdeki kullanıcı sayınızı aşarsa ek kullanıcılar için derhal ödeme alınır." }, "subscriptionUserSeats": { "message": "Aboneliğiniz toplam $COUNT$ kullanıcıya izin veriyor.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "limitSubscription": { "message": "Aboneliği sınırlandır (isteğe bağlı)" }, "subscriptionSeats": { "message": "Abonelik kullanıcı sayısı" }, "subscriptionUpdated": { "message": "Abonelik güncellendi" }, "additionalOptions": { "message": "Ek Seçenekler" }, "additionalOptionsDesc": { "message": "For additional help in managing your subscription, please contact Customer Support." }, "subscriptionUserSeatsUnlimitedAutoscale": { "message": "Aboneliğinizde yapacağınız değişiklikler toplam faturanızın değişmesine yol açacaktır. Yeni davet edilen kullanıcıların sayısı abonelik paketinizdeki kullanıcı sayınızı aşarsa ek kullanıcılar için derhal ödeme alınır." }, "subscriptionUserSeatsLimitedAutoscale": { "message": "Aboneliğinizde yapacağınız değişiklikler toplam faturanızın değişmesine yol açacaktır. Yeni davet edilen kullanıcıların sayısı abonelik paketinizdeki kullanıcı sayınızı aşarsa $MAX$ kullanıcı sınırınıza ulaşana dek ek kullanıcılar için ödeme alınır.", "placeholders": { "max": { "content": "$1", "example": "50" } } }, "subscriptionFreePlan": { "message": "Paketinizi yükseltmeden $COUNT$ kullanıcıdan fazlasını davet edemezsiniz.", "placeholders": { "count": { "content": "$1", "example": "2" } } }, "subscriptionFamiliesPlan": { "message": "Paketinizi yükseltmeden en fazla $COUNT$ kullanıcı davet edebilirsiniz. Yükseltme yapmak için lütfen müşteri hizmetleri ile iletişime geçin.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionSponsoredFamiliesPlan": { "message": "Paketiniz toplam $COUNT$ kullanıcıya izin veriyor. Paketinizin ücretini başka bir kuruluş ödüyor.", "placeholders": { "count": { "content": "$1", "example": "6" } } }, "subscriptionMaxReached": { "message": "Aboneliğinizde yapacağınız değişiklikler toplam faturanızın değişmesine yol açacaktır. Aboneliğinizin kullanıcı sayısını artırmadan en fazla $COUNT$ kullanıcı davet edebilirsiniz.", "placeholders": { "count": { "content": "$1", "example": "50" } } }, "seatsToAdd": { "message": "Eklenecek kullanıcı sayısı" }, "seatsToRemove": { "message": "Kaldırılacak kullanıcı sayısı" }, "seatsAddNote": { "message": "Kullanıcı sayısını artırdığınızda toplam faturanızın değişecek ve kayıtlı ödeme yönteminiz aracılığıyla derhal ödeme alınacaktır. İlk ödemeniz mevcut fatura süresinin kalanı için geçerli olacaktır." }, "seatsRemoveNote": { "message": "Kullanıcı sayısını azalttığınızda toplam faturanız azalacak ve aradaki fark bir sonraki faturanıza kredi olarak yansıtılacaktır." }, "adjustedSeats": { "message": "$AMOUNT$ kullanıcı sayısı güncellendi.", "placeholders": { "amount": { "content": "$1", "example": "15" } } }, "keyUpdated": { "message": "Anahtar güncellendi" }, "updateKeyTitle": { "message": "Anahtarı güncelle" }, "updateEncryptionKey": { "message": "Şifreleme anahtarını güncelle" }, "updateEncryptionKeyShortDesc": { "message": "Şu anda eski bir şifreleme modeli kullanıyorsunuz." }, "updateEncryptionKeyDesc": { "message": "Daha yüksek güvenlik ve daha yeni özelliklere erişim sağlayan daha büyük şifreleme anahtarlarına geçtik. Şifreleme anahtarınızı kolayca güncelleyebilirsiniz. Ana parolanızı aşağıya yazmanız yeterli. Bu güncelleme bir süre sonra zorunlu hale gelecektir." }, "updateEncryptionKeyWarning": { "message": "After updating your encryption key, you are required to log out and back in to all Bitwarden applications that you are currently using (such as the mobile app or browser extensions). Failure to log out and back in (which downloads your new encryption key) may result in data corruption. We will attempt to log you out automatically, however, it may be delayed." }, "updateEncryptionKeyExportWarning": { "message": "Şifrelenmiş dışa aktarmalarınız da geçersiz olacaktır." }, "subscription": { "message": "Abonelik" }, "loading": { "message": "Yükleniyor" }, "upgrade": { "message": "Yükselt" }, "upgradeOrganization": { "message": "Kuruluşu yükselt" }, "upgradeOrganizationDesc": { "message": "Bu özellik ücretsiz kuruluşlar için mevcut değil. Daha fazla özellik için ücretli pakete geçin." }, "createOrganizationStep1": { "message": "Kuruluş oluşturma: 1. adım" }, "createOrganizationCreatePersonalAccount": { "message": "Kuruluş oluşturmak için önce ücretsiz bir kişisel hesap açmalısınız." }, "refunded": { "message": "İade edildi" }, "nothingSelected": { "message": "Hiçbir şey seçmediniz." }, "acceptPolicies": { "message": "Bu kutuyu işaretleyerek aşağıdakileri kabul etmiş olursunuz:" }, "acceptPoliciesError": { "message": "Hizmet Koşulları ve Gizlilik Politikası kabul edilmemiş." }, "termsOfService": { "message": "Hizmet Koşulları" }, "privacyPolicy": { "message": "Gizlilik Politikası" }, "filters": { "message": "Filtreler" }, "vaultTimeout": { "message": "Kasa zaman aşımı" }, "vaultTimeoutDesc": { "message": "Kasanızın zaman aşımına uğrayıp seçilen eylemi uygulayacağı zamanı seçin." }, "oneMinute": { "message": "1 dakika" }, "fiveMinutes": { "message": "5 dakika" }, "fifteenMinutes": { "message": "15 dakika" }, "thirtyMinutes": { "message": "30 dakika" }, "oneHour": { "message": "1 saat" }, "fourHours": { "message": "4 saat" }, "onRefresh": { "message": "On Browser Refresh" }, "dateUpdated": { "message": "Güncelleme", "description": "ex. Date this item was updated" }, "datePasswordUpdated": { "message": "Parola güncelleme", "description": "ex. Date this password was updated" }, "organizationIsDisabled": { "message": "Kuruluş devre dışı." }, "licenseIsExpired": { "message": "Lisans süresi doldu." }, "updatedUsers": { "message": "Kullanıcılar güncellendi" }, "selected": { "message": "Seçildi" }, "ownership": { "message": "Sahip" }, "whoOwnsThisItem": { "message": "Bu ögenin sahibi kim?" }, "strong": { "message": "Güçlü", "description": "ex. A strong password. Scale: Very Weak -> Weak -> Good -> Strong" }, "good": { "message": "İyi", "description": "ex. A good password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weak": { "message": "Zayıf", "description": "ex. A weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "veryWeak": { "message": "Çok zayıf", "description": "ex. A very weak password. Scale: Very Weak -> Weak -> Good -> Strong" }, "weakMasterPassword": { "message": "Zayıf ana parola" }, "weakMasterPasswordDesc": { "message": "Seçtiğiniz ana parola zayıf. Bitwarden hesabınızı korumak için daha güçlü bir ana parola seçmenizi öneririz. Bu ana parolayı kullanmak istediğinizden emin misiniz?" }, "rotateAccountEncKey": { "message": "Hesabımın şifreleme anahtarını da yenile" }, "rotateEncKeyTitle": { "message": "Şifreleme anahtarını değiştir" }, "rotateEncKeyConfirmation": { "message": "Hesabınızın şifreleme anahtarını yenilemek istediğinizden emin misiniz?" }, "attachmentsNeedFix": { "message": "Bu kayıtta düzeltilmesi gereken eski dosya ekleri bulunuyor." }, "attachmentFixDesc": { "message": "Bu eski dosya ekinin düzeltmesi gerekiyor. Daha fazla bilgi için tıklayın." }, "fix": { "message": "Düzelt", "description": "This is a verb. ex. 'Fix The Car'" }, "oldAttachmentsNeedFixDesc": { "message": "Hesabınızın şifreleme anahtarını yenilemeden önce kasanızdaki eski dosya eklerini düzeltilmeniz gerekiyor." }, "yourAccountsFingerprint": { "message": "Hesabınızın parmak izi ifadesi", "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": "Şifreleme anahtarlarınızın bütünlüğünü sağlamak için, devam etmeden önce lütfen kullanıcının parmak izi ifadesini doğrulayın.", "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": "Parmak izi ifadesini doğrulamamı bir daha isteme", "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": "Ücretsiz", "description": "Free, as in 'Free beer'" }, "apiKey": { "message": "API anahtarı" }, "apiKeyDesc": { "message": "API anahtarınız, Bitwarden API'sinde kimlik doğrulama için kullanılabilir." }, "apiKeyRotateDesc": { "message": "API anahtarının güncellenmesi önceki anahtarı geçersiz kılacaktır. Geçerli anahtarın artık güvenli olmadığını düşünüyorsanız API anahtarınızı güncelleyebilirsiniz." }, "apiKeyWarning": { "message": "API anahtarınız kuruluşa tam erişime sahiptir ve gizli tutulmalıdır." }, "userApiKeyDesc": { "message": "API anahtarınız, Bitwarden CLI'de kimlik doğrulaması için kullanılabilir." }, "userApiKeyWarning": { "message": "API anahtarınız, alternatif bir kimlik doğrulama mekanizmasıdır. Gizli tutulmalıdır." }, "oauth2ClientCredentials": { "message": "OAuth 2.0 istemci bilgileri", "description": "'OAuth 2.0' is a programming protocol. It should probably not be translated." }, "viewApiKey": { "message": "API anahtarını görüntüle" }, "rotateApiKey": { "message": "API anahtarını yenile" }, "selectOneCollection": { "message": "En az bir koleksiyon seçmelisiniz." }, "couldNotChargeCardPayInvoice": { "message": "We were not able to charge your card. Please view and pay the unpaid invoice listed below." }, "inAppPurchase": { "message": "Uygulama içi satın alma" }, "cannotPerformInAppPurchase": { "message": "Uygulama içi satın alma ödeme yöntemi kullanırken bu işlemi gerçekleştiremezsiniz." }, "manageSubscriptionFromStore": { "message": "Aboneliğinizi uygulama içi satın alımınızın yapıldığı mağazadan yönetmelisiniz." }, "minLength": { "message": "Minimum uzunluk" }, "clone": { "message": "Klonla" }, "masterPassPolicyDesc": { "message": "Ana parola gücü için minimum gereksinimleri ayarlayın." }, "twoStepLoginPolicyDesc": { "message": "Kullanıcıların hesaplarında iki aşamalı giriş kullanmalarını zorunlu tutun." }, "twoStepLoginPolicyWarning": { "message": "Organization members who are not Owners or Administrators and do not have two-step login enabled for their personal account will be removed from the organization and will receive an email notifying them about the change." }, "twoStepLoginPolicyUserWarning": { "message": "İki aşamalı girişin etkinleştirilmesi gereken bir kuruluşa üyesisiniz. İki aşamalı giriş sağlayıcılarının tümünü devre dışı bırakırsanız bu kuruluşlardan otomatik olarak kaldırılırsınız." }, "passwordGeneratorPolicyDesc": { "message": "Parola üreticisi ayarları için minimum gereksinimleri ayarlayın." }, "passwordGeneratorPolicyInEffect": { "message": "Bir ya da daha fazla kuruluş ilkesi, oluşturucu ayarlarınızı etkiliyor." }, "masterPasswordPolicyInEffect": { "message": "Bir veya daha fazla kuruluş ilkesi gereğince ana parolanız aşağıdaki gereksinimleri karşılamalıdır:" }, "policyInEffectMinComplexity": { "message": "Minimum karmaşıklık puanı: $SCORE$", "placeholders": { "score": { "content": "$1", "example": "4" } } }, "policyInEffectMinLength": { "message": "Minimum uzunluk: $LENGTH$", "placeholders": { "length": { "content": "$1", "example": "14" } } }, "policyInEffectUppercase": { "message": "Bir veya daha fazla büyük harf içermeli" }, "policyInEffectLowercase": { "message": "Bir veya daha fazla küçük harf içermeli" }, "policyInEffectNumbers": { "message": "Bir veya daha fazla sayı içermeli" }, "policyInEffectSpecial": { "message": "Aşağıdaki özel karakterlerden birini veya daha fazlasını içermeli $CHARS$", "placeholders": { "chars": { "content": "$1", "example": "!@#$%^&*" } } }, "masterPasswordPolicyRequirementsNotMet": { "message": "Yeni ana parolanız ilke gereksinimlerini karşılamıyor." }, "minimumNumberOfWords": { "message": "Minimum kelime sayısı" }, "defaultType": { "message": "Varsayılan tür" }, "userPreference": { "message": "Kullanıcı tercihi" }, "vaultTimeoutAction": { "message": "Kasa zaman aşımı eylemi" }, "vaultTimeoutActionLockDesc": { "message": "Kilitli bir kasaya tekrar erişebilmek için ana parolanızı tekrar girmeniz gerekir." }, "vaultTimeoutActionLogOutDesc": { "message": "Çıkış yapılmış bir kasaya yeniden erişmek için kimliğinizi doğrulamanız gerekir." }, "lock": { "message": "Kilitle", "description": "Verb form: to make secure or inaccesible by" }, "trash": { "message": "Çöp Kutusu", "description": "Noun: A special folder for holding deleted items that have not yet been permanently deleted" }, "searchTrash": { "message": "Çöp kutusunda ara" }, "permanentlyDelete": { "message": "Kalıcı olarak sil" }, "permanentlyDeleteSelected": { "message": "Seçilenleri kalıcı olarak sil" }, "permanentlyDeleteItem": { "message": "Kaydı kalıcı olarak sil" }, "permanentlyDeleteItemConfirmation": { "message": "Bu kaydı kalıcı olarak silmek istediğinizden emin misiniz?" }, "permanentlyDeletedItem": { "message": "Kayıt kalıcı olarak silindi" }, "permanentlyDeletedItems": { "message": "Kayıtlar kalıcı olarak silindi" }, "permanentlyDeleteSelectedItemsDesc": { "message": "Kalıcı olarak silinmek üzere $COUNT$ kayıt seçtiniz. Bu kayıtların hepsini kalıcı olarak silmek istediğinizden emin misiniz?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "permanentlyDeletedItemId": { "message": "$ID$ kaydı kalıcı olarak silindi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "restore": { "message": "Geri yükle" }, "restoreSelected": { "message": "Seçilenleri geri yükle" }, "restoreItem": { "message": "Kaydı geri yükle" }, "restoredItem": { "message": "Kayıt geri yüklendi" }, "restoredItems": { "message": "Kayıtlar geri yüklendi" }, "restoreItemConfirmation": { "message": "Bu kayıtları geri yüklemek istediğinizden emin misiniz?" }, "restoreItems": { "message": "Kayıtları geri yükle" }, "restoreSelectedItemsDesc": { "message": "Geri yüklenmesi için $COUNT$ kayıt seçtiniz. Bu kayıtların tamamını geri yüklemek istediğinizden emin misiniz?", "placeholders": { "count": { "content": "$1", "example": "150" } } }, "restoredItemId": { "message": "$ID$ kaydı geri yüklendi.", "placeholders": { "id": { "content": "$1", "example": "Google" } } }, "vaultTimeoutLogOutConfirmation": { "message": "Çıkış yaptığınızda kasanıza erişiminiz tamamen sonlanacak ve zaman aşımının ardından çevrimiçi kimlik doğrulaması yapmanız gerekecek. Bu ayarı kullanmak istediğinizden emin misiniz?" }, "vaultTimeoutLogOutConfirmationTitle": { "message": "Zaman Aşımı Eylem Onayı" }, "hidePasswords": { "message": "Parolaları gizle" }, "countryPostalCodeRequiredDesc": { "message": "Bu bilgileri sadece satış vergisi hesaplama ve mali raporlama için istiyoruz." }, "includeVAT": { "message": "KDV bilgisi ekle (tercihe bağlı)" }, "taxIdNumber": { "message": "KDV/vergi kimlik numarası" }, "taxInfoUpdated": { "message": "Vergi bilgileriniz güncellendi." }, "setMasterPassword": { "message": "Ana parolayı belirle" }, "ssoCompleteRegistration": { "message": "SSO ile girişinizi tamamlamak için lütfen kasanıza erişirken kullanacağınız ana parolayı belirleyin." }, "identifier": { "message": "Tanımlayıcı" }, "organizationIdentifier": { "message": "Kuruluş tanımlayıcı" }, "ssoLogInWithOrgIdentifier": { "message": "Kuruluşunuzun tek oturum açma portalını kullanarak giriş yapabilirsiniz. Başlamak için lütfen kuruluşunuzun tanımlayıcısını girin." }, "enterpriseSingleSignOn": { "message": "Kurumsal tek oturum açma" }, "ssoHandOff": { "message": "Şimdi bu sekmeyi kapatıp uzantı üzerinden devam edebilirsiniz." }, "includeAllTeamsFeatures": { "message": "Ekip paketi özelliklerinin yanı sıra:" }, "includeSsoAuthentication": { "message": "SAML2.0 ve OpenID Connect ile SSO doğrulaması" }, "includeEnterprisePolicies": { "message": "Kuruluş ilkeleri" }, "ssoValidationFailed": { "message": "SSO doğrulaması başarısız oldu" }, "ssoIdentifierRequired": { "message": "Kuruluş tanımlayıcısı gereklidir." }, "unlinkSso": { "message": "SSO bağlantısını kes" }, "unlinkSsoConfirmation": { "message": "Are you sure you want to unlink SSO for this organization?" }, "linkSso": { "message": "SSO bağla" }, "singleOrg": { "message": "Tek kuruluş" }, "singleOrgDesc": { "message": "Kullanıcıların diğer kuruluşlara katılmasını kısıtlayın." }, "singleOrgBlockCreateMessage": { "message": "Mevcut kuruluşunuzun birden fazla kuruluşa katılmanıza izin vermeyen bir ilkesi var. Lütfen kuruluş yöneticilerinizle iletişime geçin veya farklı bir Bitwarden hesabı açın." }, "singleOrgPolicyWarning": { "message": "Sahip veya yönetici olmayan ve zaten başka bir kuruluşun üyesi olan kuruluş üyeleri kuruluşunuzdan kaldırılır." }, "requireSso": { "message": "Tek oturum açma kimlik doğrulaması" }, "requireSsoPolicyDesc": { "message": "Kullanıcıların kurumsal tek oturum açma (SSO) yöntemiyle oturum açmasını zorunlu kılın." }, "prerequisite": { "message": "Önkoşul" }, "requireSsoPolicyReq": { "message": "Bu ilkeyi etkinleştirmeden önce tek kuruluş kurumsal ilkesi etkinleştirilmelidir." }, "requireSsoPolicyReqError": { "message": "Tek kuruluş ilkesi etkin değil." }, "requireSsoExemption": { "message": "Kuruluş sahipleri ve yöneticileri bu ilkenin uygulanmasından muaf tutulur." }, "sendTypeFile": { "message": "Dosya" }, "sendTypeText": { "message": "Metin" }, "createSend": { "message": "Yeni Send oluştur", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editSend": { "message": "Send'i düzenle", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "createdSend": { "message": "Send oluşturuldu", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "editedSend": { "message": "Send düzenlendi", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletedSend": { "message": "Send silindi", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSend": { "message": "Send'i sil", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deleteSendConfirmation": { "message": "Bu Send'i silmek istediğinizden emin misiniz?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "whatTypeOfSend": { "message": "Bu ne tür bir Send?", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "deletionDate": { "message": "Silinme tarihi" }, "deletionDateDesc": { "message": "Bu Send belirtilen tarih ve saatte kalıcı olacak silinecek.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDate": { "message": "Son kullanma tarihi" }, "expirationDateDesc": { "message": "Bunu ayarlarsanız belirtilen tarih ve saatten sonra bu Send'e erişilemeyecektir.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "maxAccessCount": { "message": "Maksimum erişim sayısı" }, "maxAccessCountDesc": { "message": "Bunu ayarlarsanız maksimum erişim sayısına ulaşıldıktan sonra bu Send'e erişilemeyecektir.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "currentAccessCount": { "message": "Mevcut erişim sayısı" }, "sendPasswordDesc": { "message": "Kullanıcıların bu Send'e erişmek için parola girmelerini isteyebilirsiniz.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNotesDesc": { "message": "Bu Send ile ilgili özel notlar.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disabled": { "message": "Devre dışı" }, "sendLink": { "message": "Send bağlantısı", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "copySendLink": { "message": "Send bağlantısını kopyala", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "removePassword": { "message": "Parolayı kaldır" }, "removedPassword": { "message": "Parola kaldırıldı" }, "removePasswordConfirmation": { "message": "Parolayı kaldırmak istediğinizden emin misiniz?" }, "hideEmail": { "message": "E-posta adresimi alıcılardan gizle." }, "disableThisSend": { "message": "Kimsenin erişememesi için bu Send'i devre dışı bırak.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "allSends": { "message": "Tüm Send'ler" }, "maxAccessCountReached": { "message": "Maksimum erişim sayısına ulaşıldı", "description": "This text will be displayed after a Send has been accessed the maximum amount of times." }, "pendingDeletion": { "message": "Silinmesi bekleniyor" }, "expired": { "message": "Süresi dolmuş" }, "searchSends": { "message": "Send'lerde ara", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPassword": { "message": "Bu Send parola ile korunuyor. Devam etmek için lütfen parolayı yazın.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendProtectedPasswordDontKnow": { "message": "Parolayı bilmiyor musunuz? Bu Send'e erişmek için gereken parolayı dosyayı gönderen kişiye sorabilirsiniz.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendHiddenByDefault": { "message": "Bu Send varsayılan olarak gizlidir. Aşağıdaki düğmeyi kullanarak görünürlüğünü değiştirebilirsiniz.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "downloadFile": { "message": "Dosyayı indir" }, "sendAccessUnavailable": { "message": "Erişmeye çalıştığınız Send yok veya artık mevcut değil.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "missingSendFile": { "message": "Bu Send ile ilişkili dosya bulunamadı.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "noSendsInList": { "message": "Listelenecek Send yok.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "emergencyAccess": { "message": "Acil durum erişimi" }, "emergencyAccessDesc": { "message": "Güvenilen kişiler için acil erişim izni verin ve izinleri yönetin. Güvenilen kişiler acil bir durumda hesabınızı görmek veya devralmak için talepte bulunabilirler. Sıfır bilgi ispatı ile paylaşımının nasıl çalıştığını öğrenmek için yardım sayfamıza bakabilirsiniz." }, "emergencyAccessOwnerWarning": { "message": "Bir veya daha fazla kuruluşun sahibisiniz. Acil durum kişisine devralma yetkisi verirseniz devralma işleminden sonra bu kişi sahip olduğunuz tüm hakları kullanabilir." }, "trustedEmergencyContacts": { "message": "Güvenilen acil durum kişileri" }, "noTrustedContacts": { "message": "Henüz hiç acil durum kişisi eklemediniz. Başlamak için güvendiğiniz birini davet edin." }, "addEmergencyContact": { "message": "Acil durum kişisi ekle" }, "designatedEmergencyContacts": { "message": "Acil durum kişisi olarak ayarlandı" }, "noGrantedAccess": { "message": "Henüz kimse sizi acil durum kişisi olarak ayarlamadı." }, "inviteEmergencyContact": { "message": "Acil durum kişisi davet et" }, "editEmergencyContact": { "message": "Acil durum kişisini düzenle" }, "inviteEmergencyContactDesc": { "message": "Aşağıya Bitwarden hesabının e-posta adresini girerek yeni bir acil durum kişisi davet edebilirsiniz. Bu kişinin mevcut bir Bitwarden hesabı yoksa yeni bir hesap açması istenecektir." }, "emergencyAccessRecoveryInitiated": { "message": "Acil durum erişimi başlatıldı" }, "emergencyAccessRecoveryApproved": { "message": "Acil durum erişimi onaylandı" }, "viewDesc": { "message": "Kasanızdaki tüm kayıtları görebilir." }, "takeover": { "message": "Devralma" }, "takeoverDesc": { "message": "Yeni bir ana parola ile hesabınızı sıfırlayabilir." }, "waitTime": { "message": "Bekleme süresi" }, "waitTimeDesc": { "message": "Otomatik olarak erişime izin vermeden önce geçmesi gereken süre." }, "oneDay": { "message": "1 gün" }, "days": { "message": "$DAYS$ gün", "placeholders": { "days": { "content": "$1", "example": "1" } } }, "invitedUser": { "message": "Kullanıcı davet edildi." }, "acceptEmergencyAccess": { "message": "Yukarıdaki kullanıcı için acil durum kişisi olmaya davet edildiniz. Daveti kabul etmek için giriş yapmanız veya yeni bir Bitwarden hesabı oluşturmanız gerekir." }, "emergencyInviteAcceptFailed": { "message": "Davet kabul edilemedi. Kullanıcıdan yeni bir davet göndermesini isteyin." }, "emergencyInviteAcceptFailedShort": { "message": "Davet kabul edilemedi. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must enable 2FA on your user account before you can join this organization." } } }, "emergencyInviteAcceptedDesc": { "message": "Kimliğiniz doğrulandıktan sonra bu kullanıcı için acil durum seçeneklerine erişebilirsiniz. Bu gerçekleştiğinde size e-posta göndereceğiz." }, "requestAccess": { "message": "Erişim talep et" }, "requestAccessConfirmation": { "message": "Erişim talep etmek istediğinizden emin misiniz? Kullanıcı talebi kabul ettikten veya $WAITTIME$ gün geçtikten sonra erişim izni alacaksınız.", "placeholders": { "waittime": { "content": "$1", "example": "1" } } }, "requestSent": { "message": "$USER$ için acil durum erişimi isteğinde bulunuldu. Devam etmeniz mümkün hale geldiğinde size e-posta ile haber vereceğiz.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "approve": { "message": "Onayla" }, "reject": { "message": "Reddet" }, "approveAccessConfirmation": { "message": "Acil durum erişimini onaylamak istediğinize emin misiniz? Bu $USER$ kullanıcısının hesabınızda $ACTION$ eylemlerinde bulunmasına izin verecek.", "placeholders": { "user": { "content": "$1", "example": "John Smith" }, "action": { "content": "$2", "example": "View" } } }, "emergencyApproved": { "message": "Acil durum erişimi onaylandı." }, "emergencyRejected": { "message": "Acil durum erişimi reddedildi" }, "passwordResetFor": { "message": "$USER$ için parola sıfırlandı. Artık yeni parola ile giriş yapabilirsiniz.", "placeholders": { "user": { "content": "$1", "example": "John Smith" } } }, "personalOwnership": { "message": "Kişisel sahiplik" }, "personalOwnershipPolicyDesc": { "message": "Kişisel sahiplik seçeneğini kapatarak kullanıcıların kasadaki kayıtlarını bir kuruluşa kaydetmesini zorunlu kılabilirsiniz." }, "personalOwnershipExemption": { "message": "Kuruluş sahipleri ve yöneticileri bu ilkenin uygulanmasından muaf tutulur." }, "personalOwnershipSubmitError": { "message": "Bir kuruluş ilkesi nedeniyle kişisel kasanıza hesap kaydetmeniz kısıtlanmış. Sahip seçeneğini bir kuruluş olarak değiştirin ve mevcut koleksiyonlar arasından seçim yapın." }, "disableSend": { "message": "Send'i devre dışı bırak" }, "disableSendPolicyDesc": { "message": "Kullanıcıların Bitwarden Send oluşturmasına veya düzenlemesine izin verme. Mevcut Send'leri silmeye yine de izin verilir.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "disableSendExemption": { "message": "Kuruluş ilkelerini yönetebilen kullanıcılar bu ilkenin uygulanmasından muaf tutulur." }, "sendDisabled": { "message": "Send devre dışı", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendDisabledWarning": { "message": "Bir kuruluş ilkesi nedeniyle yalnızca mevcut Send'leri silebilirsiniz.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptions": { "message": "Send Seçenekleri", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyDesc": { "message": "Send oluşturma ve düzenleme için seçenekleri ayarlayın.", "description": "'Sends' is a plural noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsExemption": { "message": "Kuruluş ilkelerini yönetebilen kullanıcılar bu ilkenin uygulanmasından muaf tutulur." }, "disableHideEmail": { "message": "Kullanıcıların Send oluştururken veya düzenlerken alıcılardan e-posta adreslerini gizlemelerini yasakla.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendOptionsPolicyInEffect": { "message": "Şu anda yürüklükte olan kuruluş ilkeleri:" }, "sendDisableHideEmailInEffect": { "message": "Kullanıcıların Send oluştururken veya düzenlerken alıcılardan e-posta adreslerini gizlemelerine izin verilmiyor.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "modifiedPolicyId": { "message": "$ID$ ilkesi düzenlendi.", "placeholders": { "id": { "content": "$1", "example": "Master Password" } } }, "planPrice": { "message": "Paket fiyatı" }, "estimatedTax": { "message": "Tahmini vergi" }, "custom": { "message": "Özel" }, "customDesc": { "message": "Gelişmiş yapılandırma için kullanıcı izinleri üzerinde daha detaylı kontrol sağlar." }, "permissions": { "message": "İzinler" }, "accessEventLogs": { "message": "Olay günlüklerine erişme" }, "accessImportExport": { "message": "İçe/dışa aktarıma erişme" }, "accessReports": { "message": "Raporlara erişme" }, "missingPermissions": { "message": "Bu eylemi gerçekleştirmek için gereken izinlere sahip değilsiniz." }, "manageAllCollections": { "message": "Tüm koleksiyonları yönetme" }, "createNewCollections": { "message": "Yeni koleksiyon oluşturma" }, "editAnyCollection": { "message": "Tüm koleksiyonları düzenleme" }, "deleteAnyCollection": { "message": "Tüm koleksiyonları silme" }, "manageAssignedCollections": { "message": "Atanmış koleksiyonları yönetme" }, "editAssignedCollections": { "message": "Atanmış koleksiyonları düzenleme" }, "deleteAssignedCollections": { "message": "Atanmış koleksiyonları silme" }, "manageGroups": { "message": "Grupları yönetme" }, "managePolicies": { "message": "İlkeleri yönetme" }, "manageSso": { "message": "SSO'yu yönetme" }, "manageUsers": { "message": "Kullanıcıları yönetme" }, "manageResetPassword": { "message": "Parola sıfırlamayı yönetme" }, "disableRequiredError": { "message": "Bu ilke devre dışı bırakılmadan önce $POLICYNAME$ ilkesini elle devre dışı bırakmanız gerekir.", "placeholders": { "policyName": { "content": "$1", "example": "Single Sign-On Authentication" } } }, "personalOwnershipPolicyInEffect": { "message": "Bir kuruluş ilkesi sahiplik seçeneklerinizi etkiliyor." }, "personalOwnershipPolicyInEffectImports": { "message": "An organization policy has disabled importing items into your personal vault." }, "personalOwnershipCheckboxDesc": { "message": "Kuruluş kullanıcıları için kişisel sahipliği kapatma" }, "textHiddenByDefault": { "message": "Send'e erişirken varsayılan olarak metni gizle", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendNameDesc": { "message": "Bu Send'i açıklayan anlaşılır bir ad.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendTextDesc": { "message": "Göndermek istediğiniz metin." }, "sendFileDesc": { "message": "Göndermek istediğiniz dosya." }, "copySendLinkOnSave": { "message": "Kaydettikten sonra bu Send'i paylaşma linkini panoya kopyala." }, "sendLinkLabel": { "message": "Send bağlantısı", "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 geçici ve hassas bilginin başkalarına kolayca ve güvenle iletmenizi sağlar.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "sendAccessTaglineLearnMore": { "message": " ", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read '**Learn more about** Bitwarden Send or sign up to try it today.'" }, "sendVaultCardProductDesc": { "message": "Metinleri ve dosyaları istediğiniz kişilerle paylaşın." }, "sendVaultCardLearnMore": { "message": "Daha fazla bilgi alın", "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": "nasıl çalıştığını", "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": "görün", "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": "veya", "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": "hemen deneyin", "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": "veya", "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": "kaydolarak", "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": "hemen deneyin.", "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 kullanıcısı $USER_IDENTIFIER$ aşağıdakileri sizinle paylaştı", "placeholders": { "user_identifier": { "content": "$1", "example": "An email address" } } }, "viewSendHiddenEmailWarning": { "message": "Bu Send'i oluşturan Bitwarden kullanıcısı e-posta adresini gizlemeyi seçti. Kullanmadan veya içeriğini indirmeden önce bu bağlantının kaynağının güvenilir olduğundan emin olun.", "description": "'Send' is a noun and the name of a feature called 'Bitwarden Send'. It should not be translated." }, "expirationDateIsInvalid": { "message": "Belirtilen son kullanma tarihi geçersiz." }, "deletionDateIsInvalid": { "message": "Belirtilen silinme tarihi geçersiz." }, "expirationDateAndTimeRequired": { "message": "Son kullanma tarihi ve saati gereklidir." }, "deletionDateAndTimeRequired": { "message": "Silinme tarihi ve saati gereklidir." }, "dateParsingError": { "message": "Silinme ve son kullanma tarihleriniz kaydedilirken bir hata oluştu." }, "webAuthnFallbackMsg": { "message": "İki aşamalı doğrulamanızı onaylamak için aşağıdaki düğmeye tıklayın." }, "webAuthnAuthenticate": { "message": "WebAutn ile doğrula" }, "webAuthnNotSupported": { "message": "WebAuthn bu tarayıcıda desteklenmiyor." }, "webAuthnSuccess": { "message": "WebAuthn başarıyla doğrulandı. Bu sekmeyi kapatabilirsiniz." }, "hintEqualsPassword": { "message": "Parola ipucunuz parolanızla aynı olamaz." }, "enrollPasswordReset": { "message": "Parola Sıfırlama Kaydı Yaptır" }, "enrolledPasswordReset": { "message": "Parola Sıfırlama Kaydı Yaptırıldı" }, "withdrawPasswordReset": { "message": "Parola Sıfırlamadan Geri Çekil" }, "enrollPasswordResetSuccess": { "message": "Kayıt başarılı!" }, "withdrawPasswordResetSuccess": { "message": "Çekilme başarılı!" }, "eventEnrollPasswordReset": { "message": "$ID$ kullanıcısı parola sıfırlama desteği için kayıt yaptırdı.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventWithdrawPasswordReset": { "message": "$ID$ kullanıcı parola sıfırlama desteğinden geri çekildi.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventAdminPasswordReset": { "message": "$ID$ kullanıcısının ana parolası sıfırlandı.", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "eventResetSsoLink": { "message": "Reset Sso link for user $ID$", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "firstSsoLogin": { "message": "$ID$ ilk defa SSO ile giriş yaptı", "placeholders": { "id": { "content": "$1", "example": "John Smith" } } }, "resetPassword": { "message": "Parolayı sıfırla" }, "resetPasswordLoggedOutWarning": { "message": "Devam ederseniz $NAME$ oturumu sonlanacak ve yeniden oturum açması gerekecek. Diğer cihazlardaki aktif oturumlar bir saate kadar aktif kalabilir.", "placeholders": { "name": { "content": "$1", "example": "John Smith" } } }, "thisUser": { "message": "bu kullanıcı" }, "resetPasswordMasterPasswordPolicyInEffect": { "message": "Bir veya daha fazla kuruluş ilkesi gereğince ana parola aşağıdaki gereksinimleri karşılamalıdır:" }, "resetPasswordSuccess": { "message": "Parola başarıyla sıfırlandı." }, "resetPasswordEnrollmentWarning": { "message": "Katılmak kuruluş yöneticilerinin ana parolanızı değiştirmesine izin verir. Katılmak istediğinize emin misiniz?" }, "resetPasswordPolicy": { "message": "Ana parola sıfırlama" }, "resetPasswordPolicyDescription": { "message": "Kuruluş yöneticilerinin kuruluş kullanıcılarının ana parolalarını sıfırlamasına izin ver." }, "resetPasswordPolicyWarning": { "message": "Yöneticilerin kullanıcıların ana parolalarını sıfırlayabilmesi önce kuruluştaki kullanıcıların kendileri katılmaları veya otomatik eklenmeleri gerekir." }, "resetPasswordPolicyAutoEnroll": { "message": "Otomatik eklenme" }, "resetPasswordPolicyAutoEnrollDescription": { "message": "Davetiyeleri kabul edildiğinde tüm kullanıcılar otomatik olarak parola sıfırlamaya eklenecek." }, "resetPasswordPolicyAutoEnrollWarning": { "message": "Zaten kuruluşta olan kullanıcılar parola sıfırlamaya eklenmeyecekler. Yöneticiler tarafından parolalarının sıfırlanabilmesi için kendileri katılmaları gerekecek." }, "resetPasswordPolicyAutoEnrollCheckbox": { "message": "Yeni kullanıcıları otomatik ekle" }, "resetPasswordAutoEnrollInviteWarning": { "message": "Bu kuruluşun sizi otomatik olarak parola sıfırlamaya ekleyen bir ilkesi bulunmakta. Bu ilkeye eklenmek, kuruluş yöneticilerinin ana parolanızı değiştirebilmesini sağlar." }, "resetPasswordOrgKeysError": { "message": "Kuruluş anahtarları yanıtı boş" }, "resetPasswordDetailsError": { "message": "Parola sıfırlama detayları yanıtı boş" }, "trashCleanupWarning": { "message": "30 günden uzun süre çöp kutusunda duran kayıtlar otomatik olarak silinecektir." }, "trashCleanupWarningSelfHosted": { "message": "Bir süre çöp kutusunda duran kayıtlar otomatik olarak silinecektir." }, "passwordPrompt": { "message": "Ana parolayı yeniden iste" }, "passwordConfirmation": { "message": "Ana parola onayı" }, "passwordConfirmationDesc": { "message": "Bu işlem korumalıdır. İşleme devam etmek için lütfen ana parolanızı yeniden girin." }, "reinviteSelected": { "message": "Davetleri yeniden gönder" }, "noSelectedUsersApplicable": { "message": "Bu eylem seçilen kullanıcılardan hiçbirine uygulanamıyor." }, "removeUsersWarning": { "message": "Aşağıdaki kullanıcıları kaldırmak istediğinize emin misiniz? İşlemin tamamlanması birkaç saniye sürer ve durdurulamaz veya iptal edilemez." }, "theme": { "message": "Tema" }, "themeDesc": { "message": "Web kasanız için tema seçin." }, "themeSystem": { "message": "Sistem temasını kullan" }, "themeDark": { "message": "Koyu" }, "themeLight": { "message": "Açık" }, "confirmSelected": { "message": "Seçimi onaylayın" }, "bulkConfirmStatus": { "message": "Toplu işlem durumu" }, "bulkConfirmMessage": { "message": "Başarıyla onaylandı." }, "bulkReinviteMessage": { "message": "Yeniden davet edildi." }, "bulkRemovedMessage": { "message": "Başarıyla kaldırıldı" }, "bulkFilteredMessage": { "message": "İstisnai, bu eylem uygulanamaz." }, "fingerprint": { "message": "Parmak izi" }, "removeUsers": { "message": "Kullanıcıları kaldır" }, "error": { "message": "Hata" }, "resetPasswordManageUsers": { "message": "Parola Sıfırlamayı Yönet izniyle birlikte Kullanıcıları Yönet de açılmak zorundadır" }, "setupProvider": { "message": "Sağlayıcı kurulumu" }, "setupProviderLoginDesc": { "message": "You've been invited to setup a new provider. To continue, you need to log in or create a new Bitwarden account." }, "setupProviderDesc": { "message": "Please enter the details below to complete the provider setup. Contact Customer Support if you have any questions." }, "providerName": { "message": "Sağlayıcı adı" }, "providerSetup": { "message": "Sağlayıcı kuruldu." }, "clients": { "message": "Müşteriler" }, "providerAdmin": { "message": "Sağlayıcı yöneticisi" }, "providerAdminDesc": { "message": "The highest access user that can manage all aspects of your provider as well as access and manage client organizations." }, "serviceUser": { "message": "Hizmet kullanıcısı" }, "serviceUserDesc": { "message": "Service users can access and manage all client organizations." }, "providerInviteUserDesc": { "message": "Invite a new user to your provider by entering their Bitwarden account email address below. If they do not have a Bitwarden account already, they will be prompted to create a new account." }, "joinProvider": { "message": "Sağlayıcıya katıl" }, "joinProviderDesc": { "message": "Yukarıdaki sağlayıcıya katılmaya davet edildiniz. Daveti kabul etmek için giriş yapmanız veya yeni bir Bitwarden hesabı açmanız gerekiyor." }, "providerInviteAcceptFailed": { "message": "Davet kabul edilemedi. Sağlayıcı yöneticisinden yeni bir davet göndermesini isteyin." }, "providerInviteAcceptedDesc": { "message": "Yöneticiler üyeliğinizi onayladıktan sonra sağlayıcıya erişebilirsiniz. Üyeliğiniz onaylandığında size e-posta göndereceğiz." }, "providerUsersNeedConfirmed": { "message": "Davetlerinizi kabul eden ancak hâlâ onaylanması gereken kullanıcılarınız var. Kullanıcılar onaylanana kadar sağlayıcıya erişemez." }, "provider": { "message": "Sağlayıcı" }, "newClientOrganization": { "message": "Yeni müşteri kuruluşu" }, "newClientOrganizationDesc": { "message": "Create a new client organization that will be associated with you as the provider. You will be able to access and manage this organization." }, "addExistingOrganization": { "message": "Mevcut kuruluşu ekle" }, "myProvider": { "message": "Sağlayıcım" }, "addOrganizationConfirmation": { "message": "Are you sure you want to add $ORGANIZATION$ as a client to $PROVIDER$?", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" }, "provider": { "content": "$2", "example": "My Provider Name" } } }, "organizationJoinedProvider": { "message": "Kuruluş başarıyla sağlayıcıya eklendi" }, "accessingUsingProvider": { "message": "Kuruluşa $PROVIDER$ sağlayıcısı aracılığıyla erişiliyor", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "providerIsDisabled": { "message": "Sağlayıcı devre dışı." }, "providerUpdated": { "message": "Sağlayıcı güncellendi" }, "yourProviderIs": { "message": "Sağlayıcınız: $PROVIDER$. Kuruluşunuzun yönetim ve ödeme yetkileri sağlayıcınıza aittir.", "placeholders": { "provider": { "content": "$1", "example": "My Provider Name" } } }, "detachedOrganization": { "message": "$ORGANIZATION$ kuruluşu sağlayıcınızdan ayrıldı.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "detachOrganizationConfirmation": { "message": "Are you sure you want to detach this organization? The organization will continue to exist but will no longer be managed by the provider." }, "add": { "message": "Ekle" }, "updatedMasterPassword": { "message": "Ana parola güncellendi" }, "updateMasterPassword": { "message": "Ana parolayı güncelle" }, "updateMasterPasswordWarning": { "message": "Your Master Password was recently changed by an administrator in your organization. In order to access the vault, you must update your Master Password now. Proceeding will log you out of your current session, requiring you to log back in. Active sessions on other devices may continue to remain active for up to one hour." }, "masterPasswordInvalidWarning": { "message": "Ana parolanız bu kuruluşun ilke gereksinimlerini karşılamıyor. Kuruluşa katılmak için ana parolanızı güncellemelisiniz. Devam ettiğinizde oturumunuz kapanacak ve yeniden oturum açmanız gerekecektir. Diğer cihazlardaki aktif oturumlar bir saate kadar aktif kalabilir." }, "maximumVaultTimeout": { "message": "Kasa zaman aşımı" }, "maximumVaultTimeoutDesc": { "message": "Configure a maximum vault timeout for all users." }, "maximumVaultTimeoutLabel": { "message": "Maksimum kasa zaman aşımı" }, "invalidMaximumVaultTimeout": { "message": "Geçersiz maksimum kasa zaman aşımı." }, "hours": { "message": "Saat" }, "minutes": { "message": "Dakika" }, "vaultTimeoutPolicyInEffect": { "message": "Kuruluş ilkeleriniz kasa zaman aşımınızı etkiliyor. İzin verilen maksimum kasa zaman aşımı $HOURS$ saat $MINUTES$ dakikadır", "placeholders": { "hours": { "content": "$1", "example": "5" }, "minutes": { "content": "$2", "example": "5" } } }, "customVaultTimeout": { "message": "Özel kasa zaman aşımı" }, "vaultTimeoutToLarge": { "message": "Kasa zaman aşımınız, kuruluşunuz tarafından belirlenen kısıtlamaları aşıyor." }, "disablePersonalVaultExport": { "message": "Kişisel kasayı dışa aktarmayı devre dışı bırak" }, "disablePersonalVaultExportDesc": { "message": "Kullanıcıların kişisel kasa verilerini dışa aktarmasını yasaklar." }, "vaultExportDisabled": { "message": "Kasayı dışa aktarma devre dışı" }, "personalVaultExportPolicyInEffect": { "message": "Bir veya daha fazla kuruluş ilkesi, kişisel kasanızı dışa aktarmanızı engelliyor." }, "selectType": { "message": "SSO türünü seçin" }, "type": { "message": "Tür" }, "openIdConnectConfig": { "message": "OpenID Connect Yapılandırması" }, "samlSpConfig": { "message": "SAML Servis Sağlayıcı Yapılandırması" }, "samlIdpConfig": { "message": "SAML Kimlik Sağlayıcı Yapılandırması" }, "callbackPath": { "message": "Callback yolu" }, "signedOutCallbackPath": { "message": "Signed out callback yolu" }, "authority": { "message": "Otorite" }, "clientId": { "message": "Müşteri kimliği" }, "clientSecret": { "message": "Müşteri anahtarı" }, "metadataAddress": { "message": "Meta veri adresi" }, "oidcRedirectBehavior": { "message": "OIDC yönlendirme davranışı" }, "getClaimsFromUserInfoEndpoint": { "message": "Get claims from user info endpoint" }, "additionalScopes": { "message": "Custom Scopes" }, "additionalUserIdClaimTypes": { "message": "Custom User ID Claim Types" }, "additionalEmailClaimTypes": { "message": "Email Claim Types" }, "additionalNameClaimTypes": { "message": "Custom Name Claim Types" }, "acrValues": { "message": "Requested Authentication Context Class Reference values" }, "expectedReturnAcrValue": { "message": "Expected \"acr\" Claim Value In Response" }, "spEntityId": { "message": "SP varlık kimliği" }, "spMetadataUrl": { "message": "SAML 2.0 metadata URL'si" }, "spAcsUrl": { "message": "Assertion consumer service (ACS) URL'si" }, "spNameIdFormat": { "message": "İsim kimliği biçimi" }, "spOutboundSigningAlgorithm": { "message": "Çıkış imza algoritması" }, "spSigningBehavior": { "message": "İmza davranışı" }, "spMinIncomingSigningAlgorithm": { "message": "Minimum gelen imza algoritması" }, "spWantAssertionsSigned": { "message": "Expect signed assertions" }, "spValidateCertificates": { "message": "Sertifikaları doğrula" }, "idpEntityId": { "message": "Varlık kimliği" }, "idpBindingType": { "message": "Bağlama türü" }, "idpSingleSignOnServiceUrl": { "message": "Tek oturum açma (SSO) servis URL'si" }, "idpSingleLogoutServiceUrl": { "message": "Tek çıkış (SLO) servis URL'si" }, "idpX509PublicCert": { "message": "X509 Public Certificate" }, "idpOutboundSigningAlgorithm": { "message": "Outbound Signing Algorithm" }, "idpAllowUnsolicitedAuthnResponse": { "message": "Allow unsolicited authentication response" }, "idpAllowOutboundLogoutRequests": { "message": "Allow outbound logout requests" }, "idpSignAuthenticationRequests": { "message": "Sign authentication requests" }, "ssoSettingsSaved": { "message": "Single Sign-On configuration was saved." }, "sponsoredFamilies": { "message": "Ücretsiz Bitwarden Aile" }, "sponsoredFamiliesEligible": { "message": "You and your family are eligible for Free Bitwarden Families. Redeem with your personal email to keep your data secure even when you are not at work." }, "sponsoredFamiliesEligibleCard": { "message": "Verilerinizi evde de güvenle depolamak için Ücretsiz Bitwarden Aile paketinizi hemen kullanmaya başlayın." }, "sponsoredFamiliesInclude": { "message": "Bitwarden Aile paketinin özellikleri" }, "sponsoredFamiliesPremiumAccess": { "message": "6 kullanıcı için premium erişim" }, "sponsoredFamiliesSharedCollections": { "message": "Shared collections for Family secrets" }, "badToken": { "message": "The link is no longer valid. Please have the sponsor resend the offer." }, "reclaimedFreePlan": { "message": "Ücretsiz paket kullanıldı" }, "redeem": { "message": "Kullan" }, "sponsoredFamiliesSelectOffer": { "message": "Select the organization you would like sponsored" }, "familiesSponsoringOrgSelect": { "message": "Which Free Families offer would you like to redeem?" }, "sponsoredFamiliesEmail": { "message": "Enter your personal email to redeem Bitwarden Families" }, "sponsoredFamiliesLeaveCopy": { "message": "Sponsor kuruluştan ayrılır veya çıkarılırsanız Aile paketiniz ödeme döneminin sonunda sonra erecektir." }, "acceptBitwardenFamiliesHelp": { "message": "Accept offer for an existing organization or create a new Families organization." }, "setupSponsoredFamiliesLoginDesc": { "message": "Ücretsiz Bitwarden Aile Paketi Kuruluşuna davet edildiniz. Devam etmek için bu teklifi alan hesaba giriş yapmanız gerekiyor." }, "sponsoredFamiliesAcceptFailed": { "message": "Unable to accept offer. Please resend the offer email from your enterprise account and try again." }, "sponsoredFamiliesAcceptFailedShort": { "message": "Teklif kabul edilemedi. $DESCRIPTION$", "placeholders": { "description": { "content": "$1", "example": "You must have at least one existing Families Organization." } } }, "sponsoredFamiliesOffer": { "message": "Ücretsiz Bitwarden Aile'yi kabul et" }, "sponsoredFamiliesOfferRedeemed": { "message": "Free Bitwarden Families offer successfully redeemed" }, "redeemed": { "message": "Kullanıldı" }, "redeemedAccount": { "message": "Redeemed Account" }, "revokeAccount": { "message": "$NAME$ hesabını iptal et", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "resendEmailLabel": { "message": "Resend Sponsorship email to $NAME$ sponsorship", "placeholders": { "name": { "content": "$1", "example": "My Sponsorship Name" } } }, "freeFamiliesPlan": { "message": "Ücretsiz Aile Paketi" }, "redeemNow": { "message": "Şimdi kullan" }, "recipient": { "message": "Alıcı" }, "removeSponsorship": { "message": "Sponsorluğu kaldır" }, "removeSponsorshipConfirmation": { "message": "After removing a sponsorship, you will be responsible for this subscription and related invoices. Are you sure you want to continue?" }, "sponsorshipCreated": { "message": "Sponsorluk oluştur" }, "revoke": { "message": "İptal et" }, "emailSent": { "message": "E-posta gönderildi" }, "revokeSponsorshipConfirmation": { "message": "After removing this account, the Families organization owner will be responsible for this subscription and related invoices. Are you sure you want to continue?" }, "removeSponsorshipSuccess": { "message": "Sponsorluk kaldırdıldı" }, "ssoKeyConnectorUnavailable": { "message": "Unable to reach the Key Connector, try again later." }, "keyConnectorUrl": { "message": "Key Connector URL" }, "sendVerificationCode": { "message": "E-posta adresime doğrulama kodu gönder" }, "sendCode": { "message": "Kod gönder" }, "codeSent": { "message": "Kod gönderildi" }, "verificationCode": { "message": "Doğrulama kodu" }, "confirmIdentity": { "message": "Devam etmek için kimliğinizi doğrulayın." }, "verificationCodeRequired": { "message": "Doğrulama kodu gereklidir." }, "invalidVerificationCode": { "message": "Geçersiz doğrulama kodu" }, "convertOrganizationEncryptionDesc": { "message": "$ORGANIZATION$ kendi barındırdığı bir anahtar sunucusuyla SSO kullanıyor. Bu kuruluşun üyelerinin artık ana parola kullanması gerekmiyor.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "leaveOrganization": { "message": "Kuruluştan ayrıl" }, "removeMasterPassword": { "message": "Ana parolayı kaldır" }, "removedMasterPassword": { "message": "Ana parola kaldırıldı." }, "allowSso": { "message": "SSO doğrulamasına izin ver" }, "allowSsoDesc": { "message": "Once set up, your configuration will be saved and members will be able to authenticate using their Identity Provider credentials." }, "ssoPolicyHelpStart": { "message": "Enable the", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpLink": { "message": "SSO Authentication policy", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpEnd": { "message": "to require all members to log in with SSO.", "description": "This will be used as part of a larger sentence, broken up to include links. The full sentence will read 'Enable the SSO Authentication policy to require all members to log in with SSO.'" }, "ssoPolicyHelpKeyConnector": { "message": "SSO Authentication and Single Organization policies are required to set up Key Connector decryption." }, "memberDecryptionOption": { "message": "Member Decryption Options" }, "memberDecryptionPassDesc": { "message": "Once authenticated, members will decrypt vault data using their Master Passwords." }, "keyConnector": { "message": "Key Connector" }, "memberDecryptionKeyConnectorDesc": { "message": "Connect Login with SSO to your self-hosted decryption key server. Using this option, members won’t need to use their Master Passwords to decrypt vault data. Contact Bitwarden Support for set up assistance." }, "keyConnectorPolicyRestriction": { "message": "\"Login with SSO and Key Connector Decryption\" is enabled. This policy will only apply to Owners and Admins." }, "enabledSso": { "message": "SSO etkinleştirildi" }, "disabledSso": { "message": "SSO kapatıldı" }, "enabledKeyConnector": { "message": "Enabled Key Connector" }, "disabledKeyConnector": { "message": "Disabled Key Connector" }, "keyConnectorWarning": { "message": "Once members begin using Key Connector, your Organization cannot revert to Master Password decryption. Proceed only if you are comfortable deploying and managing a key server." }, "migratedKeyConnector": { "message": "Migrated to Key Connector" }, "paymentSponsored": { "message": "Please provide a payment method to associate with the organization. Don't worry, we won't charge you anything unless you select additional features or your sponsorship expires. " }, "orgCreatedSponsorshipInvalid": { "message": "The sponsorship offer has expired. You may delete the organization you created to avoid a charge at the end of your 7 day trial. Otherwise you may close this prompt to keep the organization and assume billing responsibility." }, "newFamiliesOrganization": { "message": "New Families Organization" }, "acceptOffer": { "message": "Teklifi kabul et" }, "sponsoringOrg": { "message": "Sponsor kuruluş" }, "keyConnectorTest": { "message": "Test" }, "keyConnectorTestSuccess": { "message": "Başarılı! Key Connector'a ulaşıldı." }, "keyConnectorTestFail": { "message": "Key Connector'e ulaşılamadı. URL 'i kontrol edin." }, "sponsorshipTokenHasExpired": { "message": "Sponsorluk teklifinin süresi doldu." }, "freeWithSponsorship": { "message": "FREE with sponsorship" }, "formErrorSummaryPlural": { "message": "$COUNT$ fields above need your attention.", "placeholders": { "count": { "content": "$1", "example": "5" } } }, "formErrorSummarySingle": { "message": "1 field above needs your attention." }, "fieldRequiredError": { "message": "$FIELDNAME$ zorunludur.", "placeholders": { "fieldname": { "content": "$1", "example": "Full name" } } }, "required": { "message": "zorunlu" }, "idpSingleSignOnServiceUrlRequired": { "message": "Required if Entity ID is not a URL." }, "openIdOptionalCustomizations": { "message": "Optional Customizations" }, "openIdAuthorityRequired": { "message": "Required if Authority is not valid." }, "separateMultipleWithComma": { "message": "Separate multiple with a comma." }, "sessionTimeout": { "message": "Oturumunuzun süresi doldu. Lütfen geri dönüp yeniden giriş yapın." }, "exportingPersonalVaultTitle": { "message": "Exporting Personal Vault" }, "exportingOrganizationVaultTitle": { "message": "Exporting Organization Vault" }, "exportingPersonalVaultDescription": { "message": "Only the personal vault items associated with $EMAIL$ will be exported. Organization vault items will not be included.", "placeholders": { "email": { "content": "$1", "example": "name@example.com" } } }, "exportingOrganizationVaultDescription": { "message": "Only the organization vault associated with $ORGANIZATION$ will be exported. Personal vault items and items from other organizations will not be included.", "placeholders": { "organization": { "content": "$1", "example": "My Org Name" } } }, "backToReports": { "message": "Raporlara geri dön" }, "generator": { "message": "Oluşturucu" }, "whatWouldYouLikeToGenerate": { "message": "Ne oluşturmak istersiniz?" }, "passwordType": { "message": "Parola türü" }, "regenerateUsername": { "message": "Kullanıcı adını yeniden oluştur" }, "generateUsername": { "message": "Kullanıcı adı oluştur" }, "usernameType": { "message": "Kullanıcı adı türü" }, "plusAddressedEmail": { "message": "Artı adresli e-posta", "description": "Username generator option that appends a random sub-address to the username. For example: address+subaddress@email.com" }, "plusAddressedEmailDesc": { "message": "E-posta sağlayıcınızın alt adres özelliklerini kullanın." }, "catchallEmail": { "message": "Catch-all e-posta" }, "catchallEmailDesc": { "message": "Alan adınızın tüm iletileri yakalamaya ayarlanmış adresini kullanın." }, "random": { "message": "Rastgele" }, "randomWord": { "message": "Rastgele kelime" }, "service": { "message": "Servis" } }
bitwarden/web/src/locales/tr/messages.json/0
{ "file_path": "bitwarden/web/src/locales/tr/messages.json", "repo_id": "bitwarden", "token_count": 65314 }
158
.navbar { padding-left: 0; padding-right: 0; @include themify($themes) { background-color: themed("navBackground"); } &.nav-background-alt { @include themify($themes) { background-color: themed("navBackgroundAlt"); } } .nav-item { > .nav-link { @include themify($themes) { font-weight: themed("navWeight"); } } &.active > .nav-link { @include themify($themes) { font-weight: themed("navActiveWeight"); } } } } .navbar-brand { margin-bottom: -20px; margin-top: -20px; } .nav-tabs .nav-link.active { @include themify($themes) { background: themed("navActiveBackground"); border-color: themed("borderColor"); } } .org-nav { height: 100px; min-height: 100px; @include themify($themes) { background-color: themed("navOrgBackgroundColor"); border-bottom: 1px solid themed("borderColor"); color: themed("textColor"); } .container { height: 100%; } .org-name { line-height: 1; text-align: left; font-weight: normal; span { display: block; font-size: $font-size-lg; @include themify($themes) { color: themed("textHeadingColor"); } } } } .tabbed-nav { @include themify($themes) { border-bottom: 1px solid themed("borderColor"); color: themed("textColor"); } } .org-nav, .tabbed-nav { .nav-tabs { border-bottom: none; a { &:not(.active) { border-color: transparent; @include themify($themes) { color: themed("textColor"); } } &.active { font-weight: bold; padding-top: calc(#{$nav-link-padding-y} - 2px); @include themify($themes) { border-top: 3px solid themed("primary"); border-bottom: 1px solid themed("backgroundColor"); color: themed("linkColor"); } } &.disabled { @include themify($themes) { color: themed("inputDisabledColor"); } } } } }
bitwarden/web/src/scss/navigation.scss/0
{ "file_path": "bitwarden/web/src/scss/navigation.scss", "repo_id": "bitwarden", "token_count": 904 }
159
import { Injectable } from "@angular/core"; import Swal, { SweetAlertIcon } from "sweetalert2"; 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 { ClientType } from "jslib-common/enums/clientType"; import { DeviceType } from "jslib-common/enums/deviceType"; import { ThemeType } from "jslib-common/enums/themeType"; @Injectable() export class WebPlatformUtilsService implements PlatformUtilsService { private browserCache: DeviceType = null; private prefersColorSchemeDark = window.matchMedia("(prefers-color-scheme: dark)"); constructor( private i18nService: I18nService, private messagingService: MessagingService, private logService: LogService, private stateService: StateService ) {} getDevice(): DeviceType { if (this.browserCache != null) { return this.browserCache; } if ( navigator.userAgent.indexOf(" Firefox/") !== -1 || navigator.userAgent.indexOf(" Gecko/") !== -1 ) { this.browserCache = DeviceType.FirefoxBrowser; } else if (navigator.userAgent.indexOf(" OPR/") >= 0) { this.browserCache = DeviceType.OperaBrowser; } else if (navigator.userAgent.indexOf(" Edg/") !== -1) { this.browserCache = DeviceType.EdgeBrowser; } else if (navigator.userAgent.indexOf(" Vivaldi/") !== -1) { this.browserCache = DeviceType.VivaldiBrowser; } else if ( navigator.userAgent.indexOf(" Safari/") !== -1 && navigator.userAgent.indexOf("Chrome") === -1 ) { this.browserCache = DeviceType.SafariBrowser; } else if ((window as any).chrome && navigator.userAgent.indexOf(" Chrome/") !== -1) { this.browserCache = DeviceType.ChromeBrowser; } else if (navigator.userAgent.indexOf(" Trident/") !== -1) { this.browserCache = DeviceType.IEBrowser; } else { this.browserCache = DeviceType.UnknownBrowser; } return this.browserCache; } getDeviceString(): string { const device = DeviceType[this.getDevice()].toLowerCase(); return device.replace("browser", ""); } getClientType() { return ClientType.Web; } isFirefox(): boolean { return this.getDevice() === DeviceType.FirefoxBrowser; } isChrome(): boolean { return this.getDevice() === DeviceType.ChromeBrowser; } isEdge(): boolean { return this.getDevice() === DeviceType.EdgeBrowser; } isOpera(): boolean { return this.getDevice() === DeviceType.OperaBrowser; } isVivaldi(): boolean { return this.getDevice() === DeviceType.VivaldiBrowser; } isSafari(): boolean { return this.getDevice() === DeviceType.SafariBrowser; } isMacAppStore(): boolean { return false; } isViewOpen(): Promise<boolean> { return Promise.resolve(false); } launchUri(uri: string, options?: any): void { const a = document.createElement("a"); a.href = uri; if (options == null || !options.sameWindow) { a.target = "_blank"; a.rel = "noreferrer noopener"; } a.classList.add("d-none"); document.body.appendChild(a); a.click(); document.body.removeChild(a); } saveFile(win: Window, blobData: any, blobOptions: any, fileName: string): void { let blob: Blob = null; let type: string = null; const fileNameLower = fileName.toLowerCase(); let doDownload = true; if (fileNameLower.endsWith(".pdf")) { type = "application/pdf"; doDownload = false; } else if (fileNameLower.endsWith(".xlsx")) { type = "application/vnd.openxmlformats-officedocument.spreadsheetml.sheet"; } else if (fileNameLower.endsWith(".docx")) { type = "application/vnd.openxmlformats-officedocument.wordprocessingml.document"; } else if (fileNameLower.endsWith(".pptx")) { type = "application/vnd.openxmlformats-officedocument.presentationml.presentation"; } else if (fileNameLower.endsWith(".csv")) { type = "text/csv"; } else if (fileNameLower.endsWith(".png")) { type = "image/png"; } else if (fileNameLower.endsWith(".jpg") || fileNameLower.endsWith(".jpeg")) { type = "image/jpeg"; } else if (fileNameLower.endsWith(".gif")) { type = "image/gif"; } if (type != null) { blobOptions = blobOptions || {}; if (blobOptions.type == null) { blobOptions.type = type; } } if (blobOptions != null) { blob = new Blob([blobData], blobOptions); } else { blob = new Blob([blobData]); } const a = win.document.createElement("a"); if (doDownload) { a.download = fileName; } else if (!this.isSafari()) { a.target = "_blank"; } a.href = URL.createObjectURL(blob); a.style.position = "fixed"; win.document.body.appendChild(a); a.click(); win.document.body.removeChild(a); } getApplicationVersion(): Promise<string> { return Promise.resolve(process.env.APPLICATION_VERSION || "-"); } supportsWebAuthn(win: Window): boolean { return typeof PublicKeyCredential !== "undefined"; } supportsDuo(): boolean { return true; } showToast( type: "error" | "success" | "warning" | "info", title: string, text: string | string[], options?: any ): void { this.messagingService.send("showToast", { text: text, title: title, type: type, options: options, }); } async showDialog( body: string, title?: string, confirmText?: string, cancelText?: string, type?: string, bodyIsHtml = false ) { let iconClasses: string = null; if (type != null) { // If you add custom types to this part, the type to SweetAlertIcon cast below needs to be changed. switch (type) { case "success": iconClasses = "bwi-check text-success"; break; case "warning": iconClasses = "bwi-exclamation-triangle text-warning"; break; case "error": iconClasses = "bwi-error text-danger"; break; case "info": iconClasses = "bwi-info-circle text-info"; break; default: break; } } const bootstrapModal = document.querySelector("div.modal"); if (bootstrapModal != null) { bootstrapModal.removeAttribute("tabindex"); } const iconHtmlStr = iconClasses != null ? `<i class="swal-custom-icon bwi ${iconClasses}"></i>` : undefined; const confirmed = await Swal.fire({ heightAuto: false, buttonsStyling: false, icon: type as SweetAlertIcon, // required to be any of the SweetAlertIcons to output the iconHtml. iconHtml: iconHtmlStr, text: bodyIsHtml ? null : body, html: bodyIsHtml ? body : null, titleText: title, showCancelButton: cancelText != null, cancelButtonText: cancelText, showConfirmButton: true, confirmButtonText: confirmText == null ? this.i18nService.t("ok") : confirmText, }); if (bootstrapModal != null) { bootstrapModal.setAttribute("tabindex", "-1"); } return confirmed.value; } isDev(): boolean { return process.env.NODE_ENV === "development"; } isSelfHost(): boolean { return process.env.ENV.toString() === "selfhosted"; } copyToClipboard(text: string, options?: any): void | boolean { let win = window; let doc = window.document; if (options && (options.window || options.win)) { win = options.window || options.win; doc = win.document; } else if (options && options.doc) { doc = options.doc; } if ((win as any).clipboardData && (win as any).clipboardData.setData) { // IE specific code path to prevent textarea being shown while dialog is visible. (win as any).clipboardData.setData("Text", text); } else if (doc.queryCommandSupported && doc.queryCommandSupported("copy")) { const textarea = doc.createElement("textarea"); textarea.textContent = text; // Prevent scrolling to bottom of page in MS Edge. textarea.style.position = "fixed"; let copyEl = doc.body; // For some reason copy command won't work when modal is open if appending to body if (doc.body.classList.contains("modal-open")) { copyEl = doc.body.querySelector<HTMLElement>(".modal"); } copyEl.appendChild(textarea); textarea.select(); let success = false; try { // Security exception may be thrown by some browsers. success = doc.execCommand("copy"); if (!success) { this.logService.debug("Copy command unsupported or disabled."); } } catch (e) { // eslint-disable-next-line console.warn("Copy to clipboard failed.", e); } finally { copyEl.removeChild(textarea); } return success; } } readFromClipboard(options?: any): Promise<string> { throw new Error("Cannot read from clipboard on web."); } supportsBiometric() { return Promise.resolve(false); } authenticateBiometric() { return Promise.resolve(false); } supportsSecureStorage() { return false; } getDefaultSystemTheme(): Promise<ThemeType.Light | ThemeType.Dark> { return Promise.resolve(this.prefersColorSchemeDark.matches ? ThemeType.Dark : ThemeType.Light); } async getEffectiveTheme(): Promise<ThemeType.Light | ThemeType.Dark> { const theme = await this.stateService.getTheme(); if (theme === ThemeType.Dark) { return ThemeType.Dark; } else if (theme === ThemeType.System) { return this.getDefaultSystemTheme(); } else { return ThemeType.Light; } } onDefaultSystemThemeChange(callback: (theme: ThemeType.Light | ThemeType.Dark) => unknown) { try { this.prefersColorSchemeDark.addEventListener("change", ({ matches }) => { callback(matches ? ThemeType.Dark : ThemeType.Light); }); } catch (e) { // Safari older than v14 this.prefersColorSchemeDark.addListener((ev) => { callback(ev.matches ? ThemeType.Dark : ThemeType.Light); }); } } }
bitwarden/web/src/services/webPlatformUtils.service.ts/0
{ "file_path": "bitwarden/web/src/services/webPlatformUtils.service.ts", "repo_id": "bitwarden", "token_count": 3938 }
160
<?xml version="1.0" encoding="UTF-8"?> <project xmlns="http://maven.apache.org/POM/4.0.0" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance" xsi:schemaLocation="http://maven.apache.org/POM/4.0.0 http://maven.apache.org/xsd/maven-4.0.0.xsd"> <parent> <artifactId>web</artifactId> <groupId>com.aitongyi.web</groupId> <version>1.0-SNAPSHOT</version> </parent> <modelVersion>4.0.0</modelVersion> <artifactId>cache</artifactId> <properties> <project.build.sourceEncoding>UTF-8</project.build.sourceEncoding> </properties> <dependencies> <!-- CacheService缓存服务中需要用到的对象依赖 --> <dependency> <groupId>com.aitongyi.web</groupId> <artifactId>bean</artifactId> <version>${project.version}</version> </dependency> <!-- Redis依赖 --> <dependency> <groupId>redis.clients</groupId> <artifactId>jedis</artifactId> <version>2.7.2</version> </dependency> </dependencies> </project>
chwshuang/web/cache/pom.xml/0
{ "file_path": "chwshuang/web/cache/pom.xml", "repo_id": "chwshuang", "token_count": 563 }
161
package web import ( "fmt" "net/http" "testing" ) func MyNotFoundHandler(rw ResponseWriter, r *Request) { rw.WriteHeader(http.StatusNotFound) fmt.Fprintf(rw, "My Not Found") } func (c *Context) HandlerWithContext(rw ResponseWriter, r *Request) { rw.WriteHeader(http.StatusNotFound) fmt.Fprintf(rw, "My Not Found With Context") } func TestNoHandler(t *testing.T) { router := New(Context{}) rw, req := newTestRequest("GET", "/this_path_doesnt_exist") router.ServeHTTP(rw, req) assertResponse(t, rw, "Not Found", http.StatusNotFound) } func TestBadMethod(t *testing.T) { router := New(Context{}) rw, req := newTestRequest("POOP", "/this_path_doesnt_exist") router.ServeHTTP(rw, req) assertResponse(t, rw, "Not Found", http.StatusNotFound) } func TestWithHandler(t *testing.T) { router := New(Context{}) router.NotFound(MyNotFoundHandler) rw, req := newTestRequest("GET", "/this_path_doesnt_exist") router.ServeHTTP(rw, req) assertResponse(t, rw, "My Not Found", http.StatusNotFound) } func TestWithRootContext(t *testing.T) { router := New(Context{}) router.NotFound((*Context).HandlerWithContext) rw, req := newTestRequest("GET", "/this_path_doesnt_exist") router.ServeHTTP(rw, req) assertResponse(t, rw, "My Not Found With Context", http.StatusNotFound) }
gocraft/web/not_found_test.go/0
{ "file_path": "gocraft/web/not_found_test.go", "repo_id": "gocraft", "token_count": 485 }
162
package web import ( "fmt" "net/http" "net/http/httptest" "runtime" "strings" "testing" ) // // This file will contain helpers and general things the rest of the suite needs // type nullPanicReporter struct{} func (l nullPanicReporter) Panic(url string, err interface{}, stack string) { // no op } func init() { // This disables printing panics to stderr during testing, because that is very noisy, // and we purposefully test some panics. PanicHandler = nullPanicReporter{} } // Return's the caller's caller info. func callerInfo() string { _, file, line, ok := runtime.Caller(2) if !ok { return "" } parts := strings.Split(file, "/") file = parts[len(parts)-1] return fmt.Sprintf("%s:%d", file, line) } // Make a testing request func newTestRequest(method, path string) (*httptest.ResponseRecorder, *http.Request) { request, _ := http.NewRequest(method, path, nil) recorder := httptest.NewRecorder() return recorder, request } func assertResponse(t *testing.T, rr *httptest.ResponseRecorder, body string, code int) { if gotBody := strings.TrimSpace(string(rr.Body.Bytes())); body != gotBody { t.Errorf("assertResponse: expected body to be %s but got %s. (caller: %s)", body, gotBody, callerInfo()) } if code != rr.Code { t.Errorf("assertResponse: expected code to be %d but got %d. (caller: %s)", code, rr.Code, callerInfo()) } } // // Some default contexts and possible error handlers / actions // type Context struct{} type AdminContext struct { *Context } type APIContext struct { *Context } type SiteContext struct { *Context } type TicketsContext struct { *AdminContext } func (c *Context) ErrorMiddleware(w ResponseWriter, r *Request, next NextMiddlewareFunc) { var x, y int fmt.Fprintln(w, x/y) } func (c *Context) ErrorHandler(w ResponseWriter, r *Request, err interface{}) { w.WriteHeader(http.StatusInternalServerError) fmt.Fprintf(w, "My Error") } func (c *Context) ErrorHandlerSecondary(w ResponseWriter, r *Request, err interface{}) { w.WriteHeader(http.StatusInternalServerError) fmt.Fprintf(w, "My Secondary Error") } func (c *Context) ErrorAction(w ResponseWriter, r *Request) { var x, y int fmt.Fprintln(w, x/y) } func (c *AdminContext) ErrorMiddleware(w ResponseWriter, r *Request, next NextMiddlewareFunc) { var x, y int fmt.Fprintln(w, x/y) } func (c *AdminContext) ErrorHandler(w ResponseWriter, r *Request, err interface{}) { w.WriteHeader(http.StatusInternalServerError) fmt.Fprintf(w, "Admin Error") } func (c *AdminContext) ErrorAction(w ResponseWriter, r *Request) { var x, y int fmt.Fprintln(w, x/y) } func (c *APIContext) ErrorHandler(w ResponseWriter, r *Request, err interface{}) { w.WriteHeader(http.StatusInternalServerError) fmt.Fprintf(w, "Api Error") } func (c *APIContext) ErrorAction(w ResponseWriter, r *Request) { var x, y int fmt.Fprintln(w, x/y) } func (c *TicketsContext) ErrorAction(w ResponseWriter, r *Request) { var x, y int fmt.Fprintln(w, x/y) }
gocraft/web/web_test.go/0
{ "file_path": "gocraft/web/web_test.go", "repo_id": "gocraft", "token_count": 1059 }
163
<p align="center"> <img width="60%" src="./assets/logo.png" alt="Modern Web" /> </p> <p align="center"> <a href="https://github.com/modernweb-dev/web/actions" ><img src="https://img.shields.io/github/actions/workflow/status/modernweb-dev/web/release.yml?branch=master&label=workflow&style=flat-square" alt="GitHub Actions workflow status" /></a> <a href="https://twitter.com/modern_web_dev" ><img src="https://img.shields.io/badge/twitter-@modern_web_dev-1DA1F3?style=flat-square" alt="Follow @modern_web_dev on Twitter" /></a> </p> <p align="center"> <a href="https://modern-web.dev">Website</a> · <a href="https://modern-web.dev/guides/">Guides</a> · <a href="https://modern-web.dev/docs/">Documentation</a> </p> <h1></h1> **Guides, tools and libraries for modern web development!** - **Built on web standards:** Work with and extend what's available in modern browsers, learning skills, and writing code that stays relevant. - **Lightweight:** Simple solutions that are lightweight and have a low barrier to entry. With extension points for power users. - **Low complexity:** Write code that is close to what actually runs in the browser, reducing abstractions and complexity. <p align="center"> <a href="https://modern-web.dev/guides/"><strong>Explore the Modern Web Guides&nbsp;&nbsp;▶</strong></a> </p> ## The goal for Modern Web > Our goal is to provide developers with the guides and tools they need to build for the modern web. We aim to work closely with the browser and avoid complex abstractions. Modern browsers are **a powerful platform** for building websites and applications. We try to work with what's available in the browser first before reaching for custom solutions. When you're **working with the browser** rather than against it, code, skills, and knowledge remain relevant for a longer time. Development becomes faster and debugging is easier because there are fewer layers of abstractions involved. At the same time, we are aware of the fact that not all problems can be solved elegantly by the browser today. We **support developers** making informed decisions about introducing tools and customizations to their projects, in such a way that developers can upgrade later as browser support improves. If you wanna know more see our [Announcement Blog Post](https://modern-web.dev/blog/introducing-modern-web/). ## Our Products - [Web Test Runner](https://modern-web.dev/docs/test-runner/overview/) - [Web Dev Server](https://modern-web.dev/docs/dev-server/overview/) There is much, much more to come so follow us on [Twitter](https://twitter.com/modern_web_dev). ## 🤝 Contributing We are always looking for contributors of all skill levels! If you're looking to ease your way into the project, try out a [good first issue](https://github.com/modernweb-dev/web/issues?q=is%3Aissue+is%3Aopen+label%3A%22good+first+issue%22). If you are interested in helping contribute to Modern Web, please take a look at our [Contributing Guide](https://github.com/modernweb-dev/web/blob/master/CONTRIBUTING.md). Also, feel free to drop into [Slack](https://modern-web.dev/discover/slack/) and say hi. 👋 ## Sponsored by <a href="https://google.com/chrome" style="border: none;" target="_blank" rel="noopener"> <img src="https://github.com/open-wc/open-wc/blob/master/docs/_assets/supporters/chrome.svg" width="100" alt="Chrome's Web Framework & Tools Performance Fund Logo" /> </a> <a href="https://divriots.com/" style="border: none;" target="_blank" rel="noopener"> <img src="https://github.com/open-wc/open-wc/blob/master/docs/_assets/supporters/divriots-light.svg#gh-light-mode-only" width="200" alt="Divriots Logo" /> </a> Become a sponsor and help us sustain our community. [[Contribute](https://opencollective.com/modern-web/contribute)] ## Supported by <a href="http://browserstack.com/" style="border: none;" target="_blank" rel="noopener"> <img src="https://github.com/open-wc/open-wc/blob/master/assets/images/Browserstack-logo.svg" width="200" alt="Browserstack Logo" /> </a> <a href="http://netlify.com/" style="border: none;" target="_blank" rel="noopener"> <img src="https://www.netlify.com/img/press/logos/full-logo-light.svg" width="185" alt="netlify logo" /> </a> --- [![Testing Powered By SauceLabs](https://opensource.saucelabs.com/images/opensauce/powered-by-saucelabs-badge-white.png?sanitize=true 'Testing Powered By SauceLabs')](https://saucelabs.com)
modernweb-dev/web/README.md/0
{ "file_path": "modernweb-dev/web/README.md", "repo_id": "modernweb-dev", "token_count": 1427 }
164
# Dev Server >> Node API ||6 The Dev Server has a node API to start the server programmatically. ## startDevServer The `startDevServer` function will start the dev server with all the default options, identical to using the `web-dev-server` or `wds` command. It returns a dev server instance. ```js import { startDevServer } from '@web/dev-server'; async function main() { const server = await startDevServer(); } main(); ``` ### Stopping the server The dev server instance that the `startDevServer()` call above returns can be terminated by the asynchronous `stop()` method available on the instance. ```js import { startDevServer } from '@web/dev-server'; async function main() { const server = await startDevServer(); // Use the active server. // Clean up. await server.stop(); } main(); ``` This will collectively halt the file watcher passed into the server, any plugins you've configured, as well as all open connections to the server you are stopping. ### Configuration This function takes a number of extra parameters: ```ts interface StartDevServerParams { /** * Optional config to merge with the user-defined config. */ config?: Partial<DevServerConfig>; /** * Whether to read CLI args. Default true. */ readCliArgs?: boolean; /** * Whether to read a user config from the file system. Default true. */ readFileConfig?: boolean; /** * Name of the configuration to read. Defaults to web-dev-server.config.{mjs,cjs,js} */ configName?: string; /** * Whether to automatically exit the process when the server is stopped, killed or an error is thrown. */ autoExitProcess?: boolean; /** * Whether to log a message when the server is started. */ logStartMessage?: boolean; /** * Array to read the CLI args from. Defaults to process.argv. */ argv?: string[]; } ``` For example you can start the server with a pre-defined config without reading anything from disk or CLI arguments. ```js import { startDevServer } from '@web/dev-server'; async function main() { const server = await startDevServer({ config: { rootDir: process.cwd(), port: 1234, watch: true, }, readCliArgs: false, readFileConfig: false, }); } main(); ``` ## Combine with your own CLI definitions If you extend the dev-server and want to use `command-line-args` to add your own CLI definitions, it is recommended to use the [`partial` option](https://github.com/75lb/command-line-args/wiki/Partial-parsing). ```js const myDefinitions = [ { name: 'foo', type: String, description: 'Bar', }, ]; const myConfig = commandLineArgs(myServerDefinitions, { partial: true }); ``` This will allow you to do: ``` my-dev-server --port 8080 --foo="bar" ``` Which combines a command line arg from `@web/dev-server` with your own. Partial will make sure it does not error on the unknown `port` argument, instead it pushes this argument to `_unknown`. You can then pass the `_unknown` options to the `startDevServer` in the `argv` property. ```js import { startDevServer } from '@web/dev-server'; const myConfig = commandLineArgs(myServerDefinitions, { partial: true }); async function main() { const server = await startDevServer({ argv: myConfig._unknown, }); } main(); ``` ## Websockets Server The WebSocketsManager is exposed in case you need more fine-grained control. It contains three helpers: - `sendImport`: imports the given path, executing the module as well as a default export if it exports a function - `sendConsoleLog`: logs a message to the browser console of all connected web sockets. - `send`: sends messages to all connected web sockets. If you want to use the WebSockets server directly to handle messages yourself, use the `webSocketServer` property. ```js const { server, webSockets } = await startDevServer(); const wss = webSockets.webSocketServer; wss.on('connection', ws => { ws.on('message', message => handleWsMessage(message, ws)); }); ``` ## Middleware mode If you need to connect to an existing running web server with a compatible node middleware API (e.g. `express`), you can use `@web/dev-server` in middleware mode. ```js import { startDevServer } from '@web/dev-server'; async function main() { const expressApp = express(); expressApp.listen(1234); const { koaApp } = await startDevServer({ config: { middlewareMode: true, }, }); expressApp.use(koaApp.callback()); } main(); ``` In this mode it will not start a new HTTP server, but rather allow you to use it's callback `koaApp.callback()` as a middleware in a parent server. ## Advanced If you need more control than what `startDevServer` gives you, you can also use the individual pieces that make up the dev server directly. We don't expose this currently, if this is something you need let us know so that we can understand your use case.
modernweb-dev/web/docs/docs/dev-server/node-api.md/0
{ "file_path": "modernweb-dev/web/docs/docs/dev-server/node-api.md", "repo_id": "modernweb-dev", "token_count": 1470 }
165
# Storybook Builder >> Configuration ||2 `@web/storybook-builder` aims at compatibility with standard Storybook features, e.g. configuration of preview (`.storybook/preview.js`), official addons, etc. You can follow the [official Storybook docs](https://storybook.js.org/) for the general setup and configuration options. > This documentation is written with Web Components and `@web/storybook-framework-web-components` in mind. > Information about supported frameworks can be found [here](./frameworks.md). You can use the `storybook init` CLI command with interactive setup. Choose Web Components and any builder when asked by the CLI. When you finish the setup you'll have a standard Storybook folder with configuration files (`.storybook` by default) containing at least `main.js`. ## Configuring builder and framework Set the `type` and `framework` in `main.js`: - set the `config` type to `import('@web/storybook-framework-web-components').StorybookConfig` - set the `framework.name` to `'@web/storybook-framework-web-components'` ```js // .storybook/main.js /** @type { import('@web/storybook-framework-web-components').StorybookConfig } */ const config = { ... framework: { name: '@web/storybook-framework-web-components', }, ... }; export default config; ``` ## Configuring dev server The builder implements a backend for the `storybook dev` CLI command and comes with a default `@web/dev-server` configuration which adheres to browser standards and supports official addons of the Storybook ecosystem. ### `@web/dev-server` configuration file When Storybook is loaded, the builder's default `@web/dev-server` config gets automatically merged with the project's [configuration file (`web-dev-server.config.{mjs,cjs,js}`)](../dev-server/cli-and-configuration.md#configuration-file) if present. This is needed to ensure that the same configuration is used for application, feature or design system you are building. ### Option `framework.options.builder.wdsConfigPath` You can configure a different path to the configuration file using `framework.options.builder.wdsConfigPath`, relative to CWD: ```js // .storybook/main.js /** @type { import('@web/storybook-framework-web-components').StorybookConfig } */ const config = { ... framework: { name: '@web/storybook-framework-web-components', options: { builder: { wdsConfigPath: 'storybook-wds.config.mjs', }, }, }, ... }; export default config; ``` ### Option `wdsFinal` Sometimes you might need to add Storybook specific configuration for the dev server, you can use the `wdsFinal` option for this: ```js // .storybook/main.js /** @type { import('@web/storybook-framework-web-components').StorybookConfig } */ const config = { ... framework: { name: '@web/storybook-framework-web-components', }, async wdsFinal(config) { // add Storybook specific configuration for `@web/dev-server` // e.g. "open" to go to a custom URL in the browser when server has started config.open = '/custom-path'; return config; }, ... }; export default config; ``` The `config` parameter is a `@web/dev-server` config, you can use this to customize your `@web/dev-server` options and plugins. > When using rollup plugins make sure to [convert them to `@web/dev-server` ones](../dev-server/plugins/rollup.md). ## Configuring static build The builder implements a backend for the `storybook build` CLI command and comes with a default `rollup` configuration which adheres to browser standards and supports official addons of the Storybook ecosystem. ### Option `rollupFinal` Sometimes you might need to add some extra configuration for the static build, you can use the `rollupFinal` option for this: ```js // .storybook/main.js import polyfillsLoader from '@web/rollup-plugin-polyfills-loader'; /** @type { import('@web/storybook-framework-web-components').StorybookConfig } */ const config = { ... framework: { name: '@web/storybook-framework-web-components', }, async rollupFinal(config) { // add extra configuration for rollup // e.g. a new plugin config.plugins.push(polyfillsLoader({ polyfills: { esModuleShims: true, }, })); return config; }, ... }; export default config; ``` The `config` parameter is a `rollup` config, you can use this to customize your `rollup` options and plugins.
modernweb-dev/web/docs/docs/storybook-builder/configuration.md/0
{ "file_path": "modernweb-dev/web/docs/docs/storybook-builder/configuration.md", "repo_id": "modernweb-dev", "token_count": 1327 }
166
# Test Runner >> Commands ||6 Commands for executing code server-side during your tests in the browser. To control the browser page, access the file system, or execute NodeJS libraries. Built-in commands can change the viewport, emulate media queries or set the user agent. You can create custom commands to implement your own functionalities. ## Usage Install the library: ``` npm i --save-dev @web/test-runner-commands ``` ## Built-in commands You can use the built-in commands directly in your tests. ### Viewport The `setViewport` command allows changing the browser's viewport in a test. The function is async and should be awaited. `setViewport` is supported in `@web/test-runner-chrome`, `-puppeteer` and `-playwright`. <details> <summary>View example</summary> ```js import { setViewport } from '@web/test-runner-commands'; describe('my component', () => { it('works on 360x640', async () => { await setViewport({ width: 360, height: 640 }); console.log(window.innerWidth); // 360 console.log(window.innerHeight); // 640 }); it('works on 400x800', async () => { await setViewport({ width: 400, height: 800 }); console.log(window.innerWidth); // 400 console.log(window.innerHeight); // 800 }); }); ``` </details> ### Emulate media The `emulateMedia` command allows changing browser media queries. The function is async and should be awaited. `emulateMedia` is supported in `@web/test-runner-chrome`, `-puppeteer` and `-playwright`. The `forcedColors` option is not supported by puppeteer. <details> <summary>View example</summary> ```js import { emulateMedia } from '@web/test-runner-commands'; it('can emulate print media type', async () => { await emulateMedia({ media: 'print' }); expect(matchMedia('print').matches).to.be.true; await emulateMedia({ media: 'screen' }); expect(matchMedia('screen').matches).to.be.true; }); it('can emulate color scheme', async () => { await emulateMedia({ colorScheme: 'dark' }); expect(matchMedia('(prefers-color-scheme: dark)').matches).to.be.true; await emulateMedia({ colorScheme: 'light' }); expect(matchMedia('(prefers-color-scheme: light)').matches).to.be.true; }); it('can emulate reduced motion', async () => { await emulateMedia({ reducedMotion: 'reduce' }); expect(matchMedia('(prefers-reduced-motion: reduce)').matches).to.be.true; await emulateMedia({ reducedMotion: 'no-preference' }); expect(matchMedia('(prefers-reduced-motion: no-preference)').matches).to.be.true; }); ``` </details> ### Send mouse The `sendMouse` command will cause the browser to move the mouse to a specific position or press a mouse button (left, middle, or right). The function is async and should be awaited. The `sendMouse` command accepts a `type` property that specifies a mouse action to trigger and some properties to configure the action. The following actions are available: - `move` – Moves the mouse to a specific position. Requires a `position` property. Can be used to trigger CSS `:hover` on an element, for example. - `click` – Moves the mouse to a specific position and clicks a mouse button. Requires a `position` property. The `button` property is optional, by default: `left`. - `down` – Holds down a mouse button. The `button` property is optional, by default: `left`. - `up` – Releases a mouse button. The `button` property is optional, by default: `left`. The `button` property can be used to specify a mouse button to press. The property is allowed for the `click`, `down`, and `up` actions and accepts one of the following values: `left`, `middle`, `right`. The `position` property can be used to specify a position to move the mouse to. The property is allowed for the `click` and `move` actions and should match an `[x, y]` tuple where `x` and `y` are integers. **WARNING:** When you move the mouse or hold down a mouse button, the mouse stays in this state as long as you do not explicitly move it to another position or release the button. For this reason, it is recommended to reset the mouse state with the `resetMouse` command after each test that manipulates the mouse in order to avoid unexpected side effects in the following tests. `sendMouse` is supported in `@web/test-runner-puppeteer`, `-playwright` and `-webdriver`. In Puppeteer and Playwright, all mouse actions are simple wrappers around the respective APIs. Please refer to their respective docs for detailed behavior: - [Puppeteer Mouse API](https://pptr.dev/#?product=Puppeteer&show=api-class-mouse) - [Playwright Mouse API](https://playwright.dev/docs/api/class-mouse) In WebDriver, mouse actions are based on the `performActions` API. Please refer to the docs for detailed behavior: - [Webdriver performActions API](https://webdriver.io/docs/api/webdriver/#performactions) <details> <summary>View example</summary> ```js import { sendMouse } from '@web/test-runner-commands'; function getMiddleOfElement(element) { const { x, y, width, height } = element.getBoundingClientRect(); return { x: Math.floor(x + window.pageXOffset + width / 2), y: Math.floor(y + window.pageYOffset + height / 2), }; } function logEventType(event) { event.target.textContent = event.type; } let div; beforeEach(() => { div = document.createElement('div'); div.addEventListener('contextmenu', logEventType); div.addEventListener('mouseenter', logEventType); div.addEventListener('mousedown', logEventType); div.addEventListener('mouseup', logEventType); div.addEventListener('click', logEventType); document.body.append(div); }); afterEach(async () => { div.remove(); // Remember to reset the mouse state. await resetMouse(); }); it('natively hovers the mouse over an element', async () => { const { x, y } = getMiddleOfElement(div); await sendMouse({ type: 'move', position: [x, y] }); expect(div.textContent).to.equal('mouseenter'); }); it('natively clicks a mouse button on an element', async () => { const { x, y } = getMiddleOfElement(div); await sendMouse({ type: 'click', position: [x, y] }); expect(div.textContent).to.equal('click'); }); it('natively holds and releases a mouse button on an element', async () => { const { x, y } = getMiddleOfElement(div); await sendMouse({ type: 'move', position: [x, y] }); expect(div.textContent).to.equal('mouseenter'); await sendMouse({ type: 'down' }); expect(div.textContent).to.equal('mousedown'); await sendMouse({ type: 'up' }); expect(div.textContent).to.equal('mouseup'); }); it('natively opens a context menu on an element', async () => { const { x, y } = getMiddleOfElement(div); await sendMouse({ type: 'click', position: [x, y], button: 'right' }); expect(div.textContent).to.equal('contextmenu'); }); ``` </details> ### Reset mouse The `resetMouse` command will move the mouse to (0, 0) and release mouse buttons. Use the command to reset the mouse state after each test that manipulates the mouse with the `sendMouse` command in order to avoid unexpected side effects in the following tests. <details> <summary>View example</summary> ```js afterEach(async () => { await resetMouse(); }); it('does something with mouse', async () => { await sendMouse({ type: 'move', position: [150, 150] }); await sendMouse({ type: 'down', button: 'middle' }); // expect the mouse to be somewhere... }); ``` </details> ### Send keys The `sendKeys` command will cause the browser to press keys or type a sequence of characters as if it received those keys from the keyboard. This greatly simplifies interactions with form elements during test and surfaces the ability to directly inspect the way focus flows through test content in response to the `Tab` key. The function is async and should be awaited. The `sendKeys` command accepts an object with exactly one of the following properties being set, each of which trigger a specific keyboard action: - `type` - Types a sequence of characters. `type` is not affected by modifier keys, holding `Shift` will not type the text in upper-case. - `press` - Presses a single key, resulting in a key down, and a key up. `press` is affected by modifier keys, holding `Shift` will type the text in upper-case. See below for key reference. - `down` - Holds down a single key. See below for key reference. - `up` - Releases a single key. See below for key reference. Multiple calls of the `sendKeys` command can be used to trigger key combinations. For example sending a `down` command with the value `Shift`, and then sending a `press` command with the value `Tab` will effectively trigger a `Shift+Tab`. `sendKeys` is supported in `@web/test-runner-chrome`, `-puppeteer` and `-playwright`. There is also a limited support in `@web/test-runner-webdriver` (only `type` and `press` actions). All commands are simple wrappers around the respective APIs in the supported test runners. Please refer to their respective docs for detailed behavior, and which specific strings can be used for the `press`, `down` and `up` commands: - [Puppeteer Keyboard API](https://pptr.dev/#?product=Puppeteer&show=api-class-keyboard) - [Playwright Keyboard API](https://playwright.dev/docs/api/class-keyboard) - [Webdriver Keyboard API](https://webdriver.io/docs/api/browser/keys/) <details> <summary>View example</summary> ```js import { sendKeys } from '@web/test-runner-commands'; it('natively types into an input', async () => { const keys = 'abc123'; const input = document.createElement('input'); document.body.append(input); input.focus(); await sendKeys({ type: keys, }); expect(input.value).to.equal(keys); input.remove(); }); it('natively presses `Tab`', async () => { const input1 = document.createElement('input'); const input2 = document.createElement('input'); document.body.append(input1, input2); input1.focus(); expect(document.activeElement).to.equal(input1); await sendKeys({ press: 'Tab', }); expect(document.activeElement).to.equal(input2); input1.remove(); input2.remove(); }); it('natively presses `Shift+Tab`', async () => { const input1 = document.createElement('input'); const input2 = document.createElement('input'); document.body.append(input1, input2); input2.focus(); expect(document.activeElement).to.equal(input2); await sendKeys({ down: 'Shift', }); await sendKeys({ press: 'Tab', }); await sendKeys({ up: 'Shift', }); expect(document.activeElement).to.equal(input1); input1.remove(); input2.remove(); }); it('natively holds and then releases a key', async () => { const input = document.createElement('input'); document.body.append(input); input.focus(); await sendKeys({ down: 'Shift', }); // Note that pressed modifier keys are only respected when using `press` or // `down`, and only when using the `Key...` variants. await sendKeys({ press: 'KeyA', }); await sendKeys({ press: 'KeyB', }); await sendKeys({ press: 'KeyC', }); await sendKeys({ up: 'Shift', }); await sendKeys({ press: 'KeyA', }); await sendKeys({ press: 'KeyB', }); await sendKeys({ press: 'KeyC', }); expect(input.value).to.equal('ABCabc'); input.remove(); }); ``` </details> ### Select option The `selectOption` command allows you to select an option in a `<select>` tag by either a single value, a label string or as multiple values, depending on the specific implementations of the browser laucher you're using. Once selected, the native `change` and `input` events are dispatched automatically. The `selectOption` command needs the CSS selector to locate the `<select>` by and the value, label, or values to select. The function is async and should be awaited. The three major launchers all have different support for selecting options, and the `selectOption` takes this into account.Attempting to select an option via a method that is not implemented in the provided launcher will produce errors. Each supported launcher's option selection support is documented below. - Playwright - Supports selecting options by `label`, `value`, and `multiple values` - Puppeteer - Supports selection options by `value`, and `multiple values` only. Selecting options by label is not implemented - WebDriver - [No support for selecting options in JS](https://www.selenium.dev/documentation/webdriver/elements/select_lists/) <details> <summary>View example</summary> ```js import { selectOption } from '@web/test-runner-commands'; // Assuming the document.body has a select like: // <select id="testSelect"> // <option value="first">first option</option> // <option value="second">second option</option> // <option value="third">third option</option> // </select> it('natively selects an option by value', async () => { const valueToSelect = 'first'; const select = document.querySelector('#testSelect'); await selectOption({ selector: '#testSelect', value: valueToSelect }); expect(select.value).to.equal(valueToSelect); }); // PLAYWRIGHT ONLY it('natively selects an option by label', async () => { const labelToSelect = 'second option'; const select = document.querySelector('#testSelect'); await selectOption({ selector: '#testSelect', label: labelToSelect }); const expectedSelectedOption = Array.from(document.querySelectorAll('option')).filter( option => option.textContent === labelToSelect, )[0]; expect(select.value).to.equal(expectedSelectedOption.value); }); it('natively selects an option with multiple values', async () => { const valuesToSelect = ['second', 'third']; const select = document.querySelector('#testSelect'); select.multiple = true; await selectOption({ selector: '#testSelect', values: valuesToSelect }); const selectedValues = Array.from(select.selectedOptions, option => option.value); expect(selectedValues).to.deep.equal(valuesToSelect); }); it('change and input events are fired after option is selected', async () => { let changeEventFired, inputEventFired; const valueToSelect = 'first'; const select = document.querySelector('#testSelect'); select.addEventListener('change', () => (changeEventFired = true)); select.addEventListener('input', () => (inputEventFired = true)); await selectOption({ selector: '#testSelect', value: valueToSelect }); expect(changeEventFired).to.equal(true); expect(inputEventFired).to.equal(true); }); ``` </details> ### Set user agent The `setUserAgent` command changes the browser's user agent. The function is async and should be awaited. `setUserAgent` is supported in `@web/test-runner-chrome` and `-puppeteer` <details> <summary>View example</summary> ```js import { setUserAgent } from '@web/test-runner-commands'; it('can set the user agent', async () => { const userAgent = 'my custom user agent'; expect(navigator.userAgent).to.not.equal(userAgent); await setUserAgent(userAgent); expect(navigator.userAgent).to.equal(userAgent); }); ``` </details> ### Snapshots The snapshot commands allow comparing, saving and retrieving snapshots. The snapshot comparison implementation is very basic and does not include any integration with assertion libraries. The `getSnapshotConfig` and `compareSnapshot` functions use the `updateSnapshots` option which can be passed to the `snapshotsPlugin`. When using the regular `@web/test-runner` package, it can be configured using the `--update-snapshots` CLI flag. <details> <summary>View example</summary> ```js import { getSnapshotConfig, getSnapshots, getSnapshot, saveSnapshot, removeSnapshot, compareSnapshot, } from '@web/test-runner-commands'; it('can compare snapshots', async () => { await compareSnapshot({ name: 'my-snapshot', content: 'my snapshot content' }); }); it('can use raw snapshot commands', async () => { // the config contains a boolean whether updating snapshots is enabled, this can be used by assertion // library plugins to decide to overwrite the existing snapshot const config = await getSnapshotConfig(); console.log(config.updateSnapshots); // returns all the snapshots defined for this test file const snapshots = await getSnapshots(); // returns the stored snapshot for this file with this name const snapshot = await getSnapshot({ name: 'my-snapshot' }); // saves snapshot with this name and content await saveSnapshot({ name: 'my-snapshot', content: 'my snapshot content' }); // removes snapshot with this name await removeSnapshot({ name: 'my-snapshot' }); }); ``` </details> File commands are supported in all test runner browsers. ### Writing and reading files The file commands allow writing, reading and removing files. The specified path is resolved relative to the test file being executed. <details> <summary>View example</summary> ```js import { writeFile, readFile, removeFile } from '@web/test-runner-commands'; it('can use file commands', async () => { await writeFile({ path: 'test-data/hello-world.txt', content: 'Hello world!', }); const content = await readFile({ path: 'test-data/hello-world.txt' }); console.log(content); // 'Hello world!' await removeFile({ path: 'test-data/hello-world.txt' }); }); ``` </details> File commands are supported in all test runner browsers. ### Accessibility Snapshot The `a11ySnapshot` command requests a snapshot of the accessibility tree built in the browser representing the current page or the tree rooter by the passed `selector` property. The function is async and should be awaited. `a11ySnapshot` is supported in `@web/test-runner-chrome`, `-puppeteer` and `-playwright`. The `a11ySnapshot` plugin is not loaded by the Web Test Runner's default configuration, make sure to enable it in your configuration: ```js import { a11ySnapshotPlugin } from '@web/test-runner-commands/plugins'; export default { plugins: [a11ySnapshotPlugin()], }; ``` <details> <summary>View example</summary> ```js import { a11ySnapshot, findAccessibilityNode } from '@web/test-runner-commands'; it('returns an accessibility tree with appropriately labelled element in it', async () => { const buttonText = 'Button Text'; const labelText = 'Label Text'; const fullText = `${labelText} ${buttonText}`; const role = 'button'; const label = document.createElement('label'); label.textContent = labelText; label.id = 'label'; const button = document.createElement('button'); button.textContent = buttonText; button.id = 'button'; button.setAttribute('aria-labelledby', 'label button'); document.body.append(label, button); const snapshot = await a11ySnapshot(); const foundNode = findAccessibilityNode( snapshot, node => node.name === fullText && node.role === role, ); expect(foundNode, 'A node with the supplied name has been found.').to.not.be.null; label.remove(); button.remove(); }); ``` </details> ## Custom commands To create a custom command, you first need to add a test runner plugin which implements the `executeCommand` function. This function receives the currently executing command, optional command payload from the browser, and the associated test session. The command runs on the server, giving you access to things like the browser launcher, file system, or any NodeJS libraries you want to use. By returning a non-null or undefined value from this function, the test runner will assume you have processed it, not call any other plugins and return the return value to the browser. The function can be async. <details> <summary>View example</summary> ```js import fs from 'fs'; function myPlugin() { return { name: 'my-plugin', executeCommand({ command, payload }) { if (command === 'my-command') { // write the data receives from the browser to a disk fs.writeFileSync('./my-file.json', JSON.stringify(payload)); // by returning a value, we signal the test runner we've handled this command return true; } }, }; } // your web-test-runner.config.js export default { plugins: [myPlugin()], }; ``` </details> The `executeCommand` function receives the current test session, you can use this to access the browser launcher instance for advanced functionalities not available from the browser. Because there are different kinds of browser launchers, you need to use the `type` property to adjust the behavior of your plugin. <details> <summary>View example</summary> ```js export function takeScreenshotPlugin() { return { name: 'take-screen-command', async executeCommand({ command, payload, session }) { if (command === 'take-screenshot') { // handle specific behavior for puppeteer if (session.browser.type === 'puppeteer') { const page = session.browser.getPage(session.id); const screenshot = await page.screenshot(); // do something with the screenshot return true; } // handle specific behavior for playwright if (session.browser.type === 'playwright') { const page = session.browser.getPage(session.id); const screenshot = await page.screenshot(); // do something with the screenshot return true; } // you might not be able to support all browser launchers throw new Error( `Taking screenshots is not supported for browser type ${session.browser.type}.`, ); } return undefined; }, }; } ``` </details> After implementing your plugin, it can be called from the browser using the `executeServerCommand` function. Any data passed in the second parameter is received by the server plugin. It should be serializable to JSON. <details> <summary>View example</summary> ```js import { executeServerCommand } from '@web/test-runner-commands'; it('my test', async () => { await executeServerCommand('my-command'); // optionally pass in serializable data await executeServerCommand('my-command', { foo: 'bar' }); }); ``` </details>
modernweb-dev/web/docs/docs/test-runner/commands.md/0
{ "file_path": "modernweb-dev/web/docs/docs/test-runner/commands.md", "repo_id": "modernweb-dev", "token_count": 6439 }
167
# Test Runner >> Writing Tests >> HTML Tests ||20 HTML files are loaded in the browser as is, and are not processed by a test framework. This way you have full control over the test environment. Depending on which test framework you're using, the way you run your tests can be a little different. With mocha, you need to define your tests inside the `runTests` function: ```html <html> <body> <script type="module"> import { runTests } from '@web/test-runner-mocha'; import { expect } from '@esm-bundle/chai'; runTests(async () => { // write your tests inline describe('HTML tests', () => { it('works', () => { expect('foo').to.equal('foo'); }); }); // or import your test file await import('./my-test.js'); }); </script> </body> </html> ``` You can also go completely barebones and not use any test framework. In this case you are responsible for pinging back to the test runner yourself: ```html <html> <body> <script type="module"> import { sessionStarted, sessionFinished, sessionFailed, } from '@web/test-runner-core/browser/session.js'; try { // notify the test runner that we're alive sessionStarted(); // run the actual tests, this is what you need to implement const testResults = await runTests(); // notify tests run finished sessionFinished({ // whether the test run passed passed: testResults.passed, // the test results testResults, }); } catch (error) { // notify an error occurred sessionFailed(error); return; } </script> </body> </html> ```
modernweb-dev/web/docs/docs/test-runner/writing-tests/html-tests.md/0
{ "file_path": "modernweb-dev/web/docs/docs/test-runner/writing-tests/html-tests.md", "repo_id": "modernweb-dev", "token_count": 688 }
168
# Going Buildless >> Getting Started ||5 At Modern Web, it is our goal to help developers discover buildless workflows, by working closely with the browser rather than lots of complex tooling and abstractions. In this section, we've gathered several tips, tricks, and alternatives to help you discover the browsers native capabilities, and to go buildless. Over the last several years, web development has become almost synonymous with web _framework_ development. Indeed, the proliferation and popularity of front-end web frameworks has led many in the industry to know more about their framework of choice than they do about the underlying platform. We feel the best way to become a well-rounded and highly-capable web developer is to focus first on learning what the web platform has to offer with as few frameworks and tools added on top as possible. [MDN](https://developer.mozilla.org) is an excellent resource for learning web APIs and practices. We recommend [MDN's Getting started with the web](https://developer.mozilla.org/en-US/docs/Learn/Getting_started_with_the_web) as the foundation of any web development curriculum. In this section we'd like to show you some buildless approaches and workflows, that might allow you to replace some of your tooling with built-in browser functionalities. - [Serving](./serving.md) - [CSS](./css.md) - [ES Modules](./es-modules.md)
modernweb-dev/web/docs/guides/going-buildless/getting-started.md/0
{ "file_path": "modernweb-dev/web/docs/guides/going-buildless/getting-started.md", "repo_id": "modernweb-dev", "token_count": 325 }
169
import { BrowserLauncher, TestRunnerCoreConfig } from '@web/test-runner-core'; import { runBasicTest } from './tests/basic/runBasicTest.js'; import { runConfigGroupsTest } from './tests/config-groups/runConfigGroupsTest.js'; import { runParallelTest } from './tests/parallel/runParallelTest.js'; import { runTestFailureTest } from './tests/test-failure/runTestFailureTest.js'; import { runLocationChangeTest } from './tests/location-change/runLocationChangeTest.js'; import { runFocusTest } from './tests/focus/runFocusTest.js'; import { runManyTests } from './tests/many/runManyTests.js'; export interface Tests { basic: boolean; many: boolean; focus: boolean; groups: boolean; parallel: boolean; testFailure: boolean; locationChanged: boolean; } export async function runIntegrationTests( createConfig: () => Partial<TestRunnerCoreConfig> & { browsers: BrowserLauncher[] }, tests: Tests, ) { if (tests.basic !== false) { runBasicTest(createConfig()); } if (tests.many !== false) { runManyTests(createConfig()); } if (tests.focus !== false) { runFocusTest(createConfig()); } if (tests.groups !== false) { runConfigGroupsTest(createConfig()); } if (tests.parallel !== false) { runParallelTest(createConfig); } if (tests.testFailure !== false) { runTestFailureTest(createConfig()); } if (tests.locationChanged !== false) { runLocationChangeTest(createConfig()); } }
modernweb-dev/web/integration/test-runner/index.ts/0
{ "file_path": "modernweb-dev/web/integration/test-runner/index.ts", "repo_id": "modernweb-dev", "token_count": 471 }
170
import { expect } from '../../../../../node_modules/@esm-bundle/chai/esm/chai.js'; it('can run a test with focus d', async () => { const input = document.createElement('input'); document.body.appendChild(input); let firedEvent = false; input.addEventListener('focus', () => { firedEvent = true; }); input.focus(); // await 2 frames for IE11 await new Promise(requestAnimationFrame); await new Promise(requestAnimationFrame); expect(firedEvent).to.be.true; });
modernweb-dev/web/integration/test-runner/tests/focus/browser-tests/focus-d.test.js/0
{ "file_path": "modernweb-dev/web/integration/test-runner/tests/focus/browser-tests/focus-d.test.js", "repo_id": "modernweb-dev", "token_count": 154 }
171
import { throwErrorC } from './fail-stack-trace-c.js'; export function throwErrorB() { return throwErrorC(); }
modernweb-dev/web/integration/test-runner/tests/test-failure/browser-tests/fail-stack-trace-b.js/0
{ "file_path": "modernweb-dev/web/integration/test-runner/tests/test-failure/browser-tests/fail-stack-trace-b.js", "repo_id": "modernweb-dev", "token_count": 38 }
172
export { deserialize } from './deserialize.js'; export { browserScript } from './browserScript.js'; export { MapBrowserUrl, parseStackTrace, StackLocation, MapStackLocation, } from './parseStackTrace.js';
modernweb-dev/web/packages/browser-logs/src/index.ts/0
{ "file_path": "modernweb-dev/web/packages/browser-logs/src/index.ts", "repo_id": "modernweb-dev", "token_count": 69 }
173
const path = require('path'); const { fileExists } = require('./utils'); const ConfigLoaderError = require('./ConfigLoaderError.js'); const importOrRequireConfig = require('./importOrRequireConfig'); const EXTENSIONS = ['.mjs', '.cjs', '.js']; /** * @param {string} name * @param {string} [customPath] * @param {string} [basedir] */ async function readConfig(name, customPath, basedir = process.cwd()) { const resolvedCustomPath = customPath ? path.resolve(basedir, customPath) : undefined; if (resolvedCustomPath && !(await fileExists(resolvedCustomPath))) { throw new ConfigLoaderError(`Could not find a config file at ${resolvedCustomPath}`); } // load the custom config file if (resolvedCustomPath) { return importOrRequireConfig(resolvedCustomPath, basedir); } // iterate file extensions in order, load the config if it exists for (const extension of EXTENSIONS) { const configPath = path.join(basedir, name + extension); if (await fileExists(configPath)) { return importOrRequireConfig(configPath, basedir); } } return null; } module.exports = { readConfig, ConfigLoaderError };
modernweb-dev/web/packages/config-loader/src/index.js/0
{ "file_path": "modernweb-dev/web/packages/config-loader/src/index.js", "repo_id": "modernweb-dev", "token_count": 360 }
174
const path = require('path'); const { expect } = require('chai'); const { readConfig } = require('../src/index'); const configName = 'my-project.config'; const packageCjsPath = path.resolve(__dirname, 'fixtures', 'package-cjs'); const packageMjsPath = path.resolve(__dirname, 'fixtures', 'package-mjs'); async function expectThrowsOldNodeError(configPath) { let thrown = false; try { await readConfig(configName, undefined, configPath); } catch (error) { thrown = true; expect(error.message).to.include( 'You are trying to load a config as es module but your version of node does not support it', ); } expect(thrown).to.equal(true); } describe('cjs package', () => { it('can load commonjs-in-.cjs', async () => { const result = await readConfig( configName, undefined, path.resolve(packageCjsPath, 'commonjs-in-.cjs'), ); expect(result).to.eql({ foo: 'bar' }); }); it('can load commonjs-in-.js', async () => { const result = await readConfig( configName, undefined, path.resolve(packageCjsPath, 'commonjs-in-.js'), ); expect(result).to.eql({ foo: 'bar' }); }); it('can load module-in-.mjs', async () => { const result = await readConfig( configName, undefined, path.resolve(packageCjsPath, 'module-in-.mjs'), ); expect(result).to.eql({ foo: 'bar' }); }); it('throws when loading module-in-.cjs', async () => { let thrown = false; try { await readConfig(configName, undefined, path.resolve(packageCjsPath, 'module-in-.cjs')); } catch (error) { thrown = true; expect(error.message).to.include( 'You are using es module syntax in a config loaded as CommonJS module.', ); } expect(thrown).to.equal(true); }); it('throws when loading module-in-.js', async () => { let thrown = false; try { await readConfig(configName, undefined, path.resolve(packageCjsPath, 'module-in-.js')); } catch (error) { thrown = true; expect(error.message).to.include( 'You are using es module syntax in a config loaded as CommonJS module.', ); } expect(thrown).to.equal(true); }); it('throws when loading commonjs-in-.mjs', async () => { let thrown = false; try { await readConfig(configName, undefined, path.resolve(packageCjsPath, 'commonjs-in-.mjs')); } catch (error) { thrown = true; expect(error.message).to.include( 'You are using CommonJS syntax such as "require" or "module.exports" in a config loaded as es module.', ); } expect(thrown).to.equal(true); }); }); describe('mjs package', () => { it('can load commonjs-in-.cjs', async () => { const result = await readConfig( configName, undefined, path.resolve(packageMjsPath, 'commonjs-in-.cjs'), ); expect(result).to.eql({ foo: 'bar' }); }); it('throws when loading commonjs-in-.js', async () => { let thrown = false; try { await readConfig(configName, undefined, path.resolve(packageMjsPath, 'commonjs-in-.js')); } catch (error) { thrown = true; expect(error.message).to.include( 'You are using CommonJS syntax such as "require" or "module.exports" in a config loaded as es module.', ); } expect(thrown).to.equal(true); }); it('throws when loading commonjs-in-.mjs', async () => { let thrown = false; try { await readConfig(configName, undefined, path.resolve(packageMjsPath, 'commonjs-in-.mjs')); } catch (error) { thrown = true; expect(error.message).to.include( 'You are using CommonJS syntax such as "require" or "module.exports" in a config loaded as es module.', ); } expect(thrown).to.equal(true); }); it('throws when loading module-in-.cjs', async () => { let thrown = false; try { await readConfig(configName, undefined, path.resolve(packageCjsPath, 'module-in-.cjs')); } catch (error) { thrown = true; expect(error.message).to.include( 'You are using es module syntax in a config loaded as CommonJS module.', ); } expect(thrown).to.equal(true); }); it('can load module-in-.js', async () => { const result = await readConfig( configName, undefined, path.resolve(packageMjsPath, 'module-in-.js'), ); expect(result).to.eql({ foo: 'bar' }); }); it('can load module-in-.mjs', async () => { const result = await readConfig( configName, undefined, path.resolve(packageMjsPath, 'module-in-.mjs'), ); expect(result).to.eql({ foo: 'bar' }); }); });
modernweb-dev/web/packages/config-loader/test/index.test.js/0
{ "file_path": "modernweb-dev/web/packages/config-loader/test/index.test.js", "repo_id": "modernweb-dev", "token_count": 1936 }
175
import logoPath from './logo.png'; const img = document.createElement('img'); img.src = logoPath; document.body.appendChild(img);
modernweb-dev/web/packages/dev-server-core/demo/import-asset/app.js/0
{ "file_path": "modernweb-dev/web/packages/dev-server-core/demo/import-asset/app.js", "repo_id": "modernweb-dev", "token_count": 42 }
176
export class PluginError extends Error {}
modernweb-dev/web/packages/dev-server-core/src/logger/PluginError.ts/0
{ "file_path": "modernweb-dev/web/packages/dev-server-core/src/logger/PluginError.ts", "repo_id": "modernweb-dev", "token_count": 8 }
177
import Koa from 'koa'; import { ListenOptions, Server, Socket } from 'net'; import chokidar from 'chokidar'; import { promisify } from 'util'; import { DevServerCoreConfig } from './DevServerCoreConfig.js'; import { createServer } from './createServer.js'; import { Logger } from '../logger/Logger.js'; import { WebSocketsManager } from '../web-sockets/WebSocketsManager.js'; export class DevServer { public koaApp: Koa; public server?: Server; public webSockets?: WebSocketsManager; private started = false; private connections = new Set<Socket>(); constructor( public config: DevServerCoreConfig, public logger: Logger, public fileWatcher = chokidar.watch([], config.chokidarOptions), ) { if (!config) throw new Error('Missing config.'); if (!logger) throw new Error('Missing logger.'); const { app, server } = createServer( this.logger, this.config, this.fileWatcher, !!config.middlewareMode, ); this.koaApp = app; if (server) { this.server = server; this.webSockets = new WebSocketsManager(this.server); this.server.on('connection', connection => { this.connections.add(connection); connection.on('close', () => { this.connections.delete(connection); }); }); } else if ( typeof this.config.middlewareMode === 'object' && this.config.middlewareMode.server ) { this.webSockets = new WebSocketsManager(this.config.middlewareMode.server); } } async start() { this.started = true; if (this.server && this.config.hostname) { await (promisify<ListenOptions>(this.server.listen).bind(this.server) as any)({ port: this.config.port, // in case of localhost the host should be undefined, otherwise some browsers // connect to it via local network. for example safari on browserstack host: ['localhost', '127.0.0.1'].includes(this.config.hostname) ? undefined : this.config.hostname, }); } for (const plugin of this.config.plugins ?? []) { await plugin.serverStart?.({ config: this.config, app: this.koaApp, server: this.server, logger: this.logger, webSockets: this.webSockets, fileWatcher: this.fileWatcher, }); } } private closeServer() { if (!this.server) { return; } // close all open connections for (const connection of this.connections) { connection.destroy(); } return new Promise<void>(resolve => { this.server!.close(err => { if (err) { console.error(err); } resolve(); }); }); } async stop() { if (!this.started) { return; } this.started = false; return Promise.all([ this.fileWatcher.close(), ...(this.config.plugins ?? []).map(p => p.serverStop?.()), this.closeServer(), ]); } }
modernweb-dev/web/packages/dev-server-core/src/server/DevServer.ts/0
{ "file_path": "modernweb-dev/web/packages/dev-server-core/src/server/DevServer.ts", "repo_id": "modernweb-dev", "token_count": 1172 }
178
import { message } from 'my-module'; import './src/local-module.js'; console.log(message);
modernweb-dev/web/packages/dev-server-core/test/fixtures/basic/src/app.js/0
{ "file_path": "modernweb-dev/web/packages/dev-server-core/test/fixtures/basic/src/app.js", "repo_id": "modernweb-dev", "token_count": 31 }
179
import { expect } from 'chai'; import { parseDynamicImport } from '../../src/plugins/parseDynamicImport.js'; describe('parseDynamicImport', () => { function testParseDynamicImport(specifier: string) { const code = `import(${specifier})`; return parseDynamicImport(code, 7, 7 + specifier.length); } it('works for " string literals', () => { const importStringA = '"./a.js"'; expect(testParseDynamicImport(importStringA)).to.eql({ importString: importStringA, importSpecifier: './a.js', concatenatedString: false, stringLiteral: true, dynamicStart: 7, dynamicEnd: 15, }); const importStringB = '"./a/b/c.js"'; expect(testParseDynamicImport(importStringB)).to.eql({ importString: importStringB, importSpecifier: './a/b/c.js', concatenatedString: false, stringLiteral: true, dynamicStart: 7, dynamicEnd: 19, }); const importStringC = '"/a/b.js"'; expect(testParseDynamicImport(importStringC)).to.eql({ importString: importStringC, importSpecifier: '/a/b.js', concatenatedString: false, stringLiteral: true, dynamicStart: 7, dynamicEnd: 16, }); }); it("works for ' string literals", () => { const importString = "'./a.js'"; expect(testParseDynamicImport(importString)).to.eql({ importString, importSpecifier: './a.js', concatenatedString: false, stringLiteral: true, dynamicStart: 7, dynamicEnd: 15, }); }); it('works for singlecharacter string literals', () => { const importString = "'a.js'"; expect(testParseDynamicImport(importString)).to.eql({ importString, importSpecifier: 'a.js', concatenatedString: false, stringLiteral: true, dynamicStart: 7, dynamicEnd: 13, }); }); it('works for ` string literals', () => { const importString = '`./a/b.js`'; expect(testParseDynamicImport(importString)).to.eql({ importString, importSpecifier: './a/b.js', concatenatedString: true, stringLiteral: true, dynamicStart: 7, dynamicEnd: 17, }); }); it('works for concatenated strings', () => { const importStringA = "'./a' + '.js'"; expect(testParseDynamicImport(importStringA)).to.eql({ importString: importStringA, importSpecifier: "./a' + '.js", concatenatedString: true, stringLiteral: true, dynamicStart: 7, dynamicEnd: 20, }); const importStringB = '"./a" + "/b/" + "c.js"'; expect(testParseDynamicImport(importStringB)).to.eql({ importString: importStringB, importSpecifier: './a" + "/b/" + "c.js', concatenatedString: true, stringLiteral: true, dynamicStart: 7, dynamicEnd: 29, }); }); it('works for interpolated string literals', () => { const importString = '`./a/${file}.js`'; expect(testParseDynamicImport(importString)).to.eql({ importString, importSpecifier: './a/${file}.js', concatenatedString: true, stringLiteral: true, dynamicStart: 7, dynamicEnd: 23, }); }); it('works for variables', () => { const importString = 'foo'; expect(testParseDynamicImport(importString)).to.eql({ importString, importSpecifier: 'foo', concatenatedString: false, stringLiteral: false, dynamicStart: 7, dynamicEnd: 10, }); }); it('works for single character variables', () => { const importString = 'a'; expect(testParseDynamicImport(importString)).to.eql({ importString, importSpecifier: 'a', concatenatedString: false, stringLiteral: false, dynamicStart: 7, dynamicEnd: 8, }); }); it('works for variables with concatenation', () => { const importString = 'foo + "x.js"'; expect(testParseDynamicImport(importString)).to.eql({ importString, importSpecifier: 'foo + "x.js"', concatenatedString: true, stringLiteral: false, dynamicStart: 7, dynamicEnd: 19, }); }); it('works for string literals with spaces or newlines', () => { const importStringA = ' "./a.js" '; expect(testParseDynamicImport(importStringA)).to.eql({ importString: '"./a.js"', importSpecifier: './a.js', concatenatedString: false, stringLiteral: true, dynamicStart: 8, dynamicEnd: 16, }); const importStringB = '\n "./a.js"\n '; expect(testParseDynamicImport(importStringB)).to.eql({ importString: '"./a.js"', importSpecifier: './a.js', concatenatedString: false, stringLiteral: true, dynamicStart: 10, dynamicEnd: 18, }); }); it('works for template strings with spaces or newlines', () => { const importStringA = '\n `./x/${file}.js`\n '; expect(testParseDynamicImport(importStringA)).to.eql({ importString: '`./x/${file}.js`', importSpecifier: './x/${file}.js', concatenatedString: true, stringLiteral: true, dynamicStart: 10, dynamicEnd: 26, }); }); });
modernweb-dev/web/packages/dev-server-core/test/plugins/parseDynamicImport.test.ts/0
{ "file_path": "modernweb-dev/web/packages/dev-server-core/test/plugins/parseDynamicImport.test.ts", "repo_id": "modernweb-dev", "token_count": 2113 }
180
const { esbuildPlugin } = require('@web/dev-server-esbuild'); module.exports = { open: true, // rootDir: '../..', nodeResolve: true, appIndex: 'index.html', plugins: [esbuildPlugin({ ts: true })], };
modernweb-dev/web/packages/dev-server-esbuild/demo/ts/web-dev-server.config.js/0
{ "file_path": "modernweb-dev/web/packages/dev-server-esbuild/demo/ts/web-dev-server.config.js", "repo_id": "modernweb-dev", "token_count": 78 }
181
import path from 'path'; import { fileURLToPath } from 'url'; import { hmrPlugin } from '../../index.mjs'; export default { rootDir: '../..', open: 'packages/dev-server-hmr/demo/lit-html/index.html', nodeResolve: true, plugins: [hmrPlugin()], };
modernweb-dev/web/packages/dev-server-hmr/demo/lit-html/server.config.mjs/0
{ "file_path": "modernweb-dev/web/packages/dev-server-hmr/demo/lit-html/server.config.mjs", "repo_id": "modernweb-dev", "token_count": 94 }
182